diff --git a/docs/SymptomsCausedByCOVIDLots/index.html b/docs/SymptomsCausedByCOVIDLots/index.html
index 3311eb5b0c6..0a876c8ce24 100644
--- a/docs/SymptomsCausedByCOVIDLots/index.html
+++ b/docs/SymptomsCausedByCOVIDLots/index.html
@@ -9,14 +9,14 @@
Safety Signals for COVID Batches
-
+
@@ -28,6 +28,7 @@
+
@@ -35,6 +36,9 @@
+
+
+
+
diff --git a/docs/SymptomsCausedByCOVIDLots/js/PageInitializer.js b/docs/SymptomsCausedByCOVIDLots/js/PageInitializer.js
index 914e5b52283..f51934099b6 100644
--- a/docs/SymptomsCausedByCOVIDLots/js/PageInitializer.js
+++ b/docs/SymptomsCausedByCOVIDLots/js/PageInitializer.js
@@ -1,8 +1,9 @@
class PageInitializer {
- static initializePage({ symptom, vaccine }) {
+ static initializePage({ symptom, vaccine, symptomVsSymptomChart }) {
PageInitializer.#configureSymptom(symptom);
PageInitializer.#configureVaccine(vaccine);
+ PageInitializer.#configureSymptomVsSymptomChart(symptomVsSymptomChart);
}
static #configureSymptom({ symptomSelectElement, prrByVaccineTableElement, downloadPrrByVaccineTableButton }) {
@@ -25,6 +26,12 @@ class PageInitializer {
});
}
+ static #configureSymptomVsSymptomChart(symptomVsSymptomChart) {
+ new SymptomVsSymptomChartViewInitializer().configureSymptomVsSymptomChart(
+ symptomVsSymptomChart,
+ PageInitializer.#initializeSelectElement);
+ }
+
static #initializeSelectElement({ selectElement, onValueSelected, minimumInputLength }) {
selectElement.select2({ minimumInputLength: minimumInputLength });
selectElement.on(
diff --git a/docs/SymptomsCausedByCOVIDLots/js/Sets.js b/docs/SymptomsCausedByCOVIDLots/js/Sets.js
new file mode 100644
index 00000000000..0bce5f84598
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/js/Sets.js
@@ -0,0 +1,20 @@
+class Sets {
+
+ static filterSet(set, predicate) {
+ return new Set([...set].filter(predicate));
+ }
+
+ static union(sets) {
+ return sets.reduce(
+ (union, set) => new Set([...union, ...set]),
+ new Set());
+ }
+
+ static intersection(set1, set2) {
+ return new Set([...set1].filter(x => set2.has(x)));
+ }
+
+ static isEmpty(set) {
+ return set.size == 0;
+ }
+}
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartDataProvider.js b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartDataProvider.js
new file mode 100644
index 00000000000..4168751077e
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartDataProvider.js
@@ -0,0 +1,48 @@
+class SymptomVsSymptomChartDataProvider {
+
+ // FK-TODO: extract utility class and test
+ static retainCommonKeys({ dict1, dict2 }) {
+ const commonKeys = SymptomVsSymptomChartDataProvider.#getCommonKeys(dict1, dict2);
+ return {
+ dict1: SymptomVsSymptomChartDataProvider.#retainKeysOfDict(dict1, commonKeys),
+ dict2: SymptomVsSymptomChartDataProvider.#retainKeysOfDict(dict2, commonKeys)
+ };
+ }
+
+ static getChartData({ prrByLotX, prrByLotY }) {
+ const { dict1: prrByLotXCommon, dict2: prrByLotYCommon } =
+ SymptomVsSymptomChartDataProvider.retainCommonKeys(
+ {
+ dict1: prrByLotX,
+ dict2: prrByLotY
+ });
+ const lots = Object.keys(prrByLotXCommon);
+ return {
+ labels: lots,
+ data:
+ lots.map(
+ lot => ({
+ x: prrByLotXCommon[lot],
+ y: prrByLotYCommon[lot]
+ }))
+ };
+ }
+
+ static #getCommonKeys(dict1, dict2) {
+ return Sets.intersection(
+ SymptomVsSymptomChartDataProvider.#getKeySet(dict1),
+ SymptomVsSymptomChartDataProvider.#getKeySet(dict2));
+ }
+
+ static #getKeySet(dict) {
+ return new Set(Object.keys(dict));
+ }
+
+ static #retainKeysOfDict(dict, keys2Retain) {
+ const entries2Retain =
+ Object
+ .entries(dict)
+ .filter(([key, _]) => keys2Retain.has(key));
+ return Object.fromEntries(entries2Retain);
+ }
+}
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartView.js b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartView.js
new file mode 100644
index 00000000000..e9a837563a3
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartView.js
@@ -0,0 +1,84 @@
+class SymptomVsSymptomChartView {
+
+ #canvas;
+ #chart;
+
+ constructor(canvas) {
+ this.#canvas = canvas;
+ }
+
+ loadAndDisplayChart(symptomX, symptomY) {
+ Promise
+ .all([symptomX, symptomY].map(symptom => PrrByVaccineProvider.getPrrByVaccine(symptom)))
+ .then(
+ ([prrByLotX, prrByLotY]) => {
+ const { labels, data } = SymptomVsSymptomChartDataProvider.getChartData({ prrByLotX, prrByLotY });
+ this.#displayChart(symptomX, symptomY, labels, data);
+ });
+ }
+
+ #displayChart(symptomX, symptomY, labels, data) {
+ if (this.#chart != null) {
+ this.#chart.destroy();
+ }
+ this.#chart =
+ new Chart(
+ this.#canvas,
+ this.#getConfig(symptomX, symptomY, labels, data));
+ }
+
+ #getConfig(symptomX, symptomY, labels, data) {
+ return {
+ type: 'scatter',
+ data: this.#getData(labels, data),
+ options: this.#getOptions(symptomX, symptomY)
+ };
+ }
+
+ #getData(labels, data) {
+ return {
+ datasets:
+ [
+ {
+ labels: labels,
+ data: data,
+ backgroundColor: 'rgb(0, 0, 255)'
+ }
+ ]
+ };
+ }
+
+ #getOptions(symptomX, symptomY) {
+ return {
+ scales: {
+ x: {
+ type: 'linear',
+ position: 'bottom',
+ title: this.#getAxisTitle(symptomX)
+ },
+ y: {
+ title: this.#getAxisTitle(symptomY)
+ }
+ },
+ plugins: {
+ legend: {
+ display: false
+ },
+ tooltip: {
+ callbacks: {
+ label: function (context) {
+ return 'Batch: ' + context.dataset.labels[context.dataIndex];
+ }
+ }
+ }
+ }
+ };
+ }
+
+ #getAxisTitle(symptom) {
+ return {
+ display: true,
+ text: 'PRR ratio of Batch for ' + symptom
+ }
+ }
+}
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartViewInitializer.js b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartViewInitializer.js
new file mode 100644
index 00000000000..ce3d5dd634a
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/js/SymptomVsSymptomChartViewInitializer.js
@@ -0,0 +1,44 @@
+class SymptomVsSymptomChartViewInitializer {
+
+ #symptomVsSymptomChartView;
+ #symptomX;
+ #symptomY;
+
+ configureSymptomVsSymptomChart(
+ { symptomSelectXElement, symptomSelectYElement, symptomVsSymptomChartViewElement },
+ initializeSelectElement) {
+
+ this.#symptomVsSymptomChartView = new SymptomVsSymptomChartView(symptomVsSymptomChartViewElement);
+ {
+ initializeSelectElement(
+ {
+ selectElement: symptomSelectXElement,
+ onValueSelected: symptomX => {
+ this.#symptomX = symptomX;
+ this.#loadAndDisplayChart();
+ },
+ minimumInputLength: 4
+ });
+ this.#symptomX = null;
+ }
+ {
+ initializeSelectElement(
+ {
+ selectElement: symptomSelectYElement,
+ onValueSelected: symptomY => {
+ this.#symptomY = symptomY;
+ this.#loadAndDisplayChart();
+ },
+ minimumInputLength: 4
+ });
+ this.#symptomY = null;
+ }
+ this.#loadAndDisplayChart();
+ }
+
+ #loadAndDisplayChart() {
+ if (this.#symptomX != null && this.#symptomY != null) {
+ this.#symptomVsSymptomChartView.loadAndDisplayChart(this.#symptomX, this.#symptomY);
+ }
+ }
+}
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/test/SymptomVsSymptomChartDataProviderTest.js b/docs/SymptomsCausedByCOVIDLots/test/SymptomVsSymptomChartDataProviderTest.js
new file mode 100644
index 00000000000..bada17d4c58
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/test/SymptomVsSymptomChartDataProviderTest.js
@@ -0,0 +1,80 @@
+QUnit.module('SymptomVsSymptomChartDataProviderTest', function () {
+
+ QUnit.test.each(
+ 'shouldRetainCommonLots',
+ [
+ [
+ {
+ dict1: {
+ "lotX": 1.0
+ },
+ dict2: {
+ "lotY": 2.0
+ }
+ },
+ {
+ dict1: {
+ },
+ dict2: {
+ }
+ }
+ ],
+ [
+ {
+ dict1: {
+ "lotX": 1.0,
+ "lotCommon": 2.0
+ },
+ dict2: {
+ "lotCommon": 3.0,
+ "lotY": 4.0
+ }
+ },
+ {
+ dict1: {
+ "lotCommon": 2.0
+ },
+ dict2: {
+ "lotCommon": 3.0
+ }
+ }
+ ]
+ ],
+ (assert, [dicts, dictsHavingCommonKeys]) => {
+ // Given
+
+ // When
+ const dictsHavingCommonKeysActual = SymptomVsSymptomChartDataProvider.retainCommonKeys(dicts);
+
+ // Then
+ assert.deepEqual(dictsHavingCommonKeysActual, dictsHavingCommonKeys);
+ });
+
+ QUnit.test('shouldProvideChartData', function (assert) {
+ // Given
+ const prrByLotX = {
+ "lotX": 1.0,
+ "lotCommon": 2.0
+ };
+ const prrByLotY = {
+ "lotCommon": 3.0,
+ "lotY": 4.0
+ };
+
+ // When
+ const chartData = SymptomVsSymptomChartDataProvider.getChartData({ prrByLotX, prrByLotY });
+
+ // Then
+ assert.deepEqual(
+ chartData,
+ {
+ labels: ["lotCommon"],
+ data: [
+ {
+ x: 2.0,
+ y: 3.0
+ }
+ ]
+ });
+ });
+});
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/test/index.test.html b/docs/SymptomsCausedByCOVIDLots/test/index.test.html
new file mode 100644
index 00000000000..73ce91fb448
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/test/index.test.html
@@ -0,0 +1,38 @@
+
+
+
+
+
+
+ Safety Signals for COVID Batches
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/test/jshamcrest.js b/docs/SymptomsCausedByCOVIDLots/test/jshamcrest.js
new file mode 100644
index 00000000000..ab7d89944a0
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/test/jshamcrest.js
@@ -0,0 +1,1500 @@
+/*
+ * JsHamcrest v0.7.0
+ * http://danielfm.github.com/jshamcrest/
+ *
+ * Library of matcher objects for JavaScript.
+ *
+ * Copyright (c) 2009-2013 Daniel Fernandes Martins
+ * Licensed under the BSD license.
+ *
+ * Revision: 13d2f6ac0272b6b679eca295514fe69c0a84251a
+ * Date: Sat Jan 26 12:47:27 2013 -0200
+ */
+
+var JsHamcrest = {
+ /**
+ * Library version.
+ */
+ version: '0.7.0',
+
+ /**
+ * Delegate function, useful when used to create a matcher that has a value-equalTo semantic
+ */
+ EqualTo: function (func) {
+ return function (matcherOrValue) {
+ if (!JsHamcrest.isMatcher(matcherOrValue)) {
+ return func(JsHamcrest.Matchers.equalTo(matcherOrValue));
+ }
+ return func(matcherOrValue);
+ };
+ },
+
+ /**
+ * Returns whether the given object is a matcher.
+ */
+ isMatcher: function(obj) {
+ return obj instanceof JsHamcrest.SimpleMatcher;
+ },
+
+ /**
+ * Returns whether the given arrays are equivalent.
+ */
+ areArraysEqual: function(array, anotherArray) {
+ if (array instanceof Array || anotherArray instanceof Array) {
+ if (array.length != anotherArray.length) {
+ return false;
+ }
+
+ for (var i = 0; i < array.length; i++) {
+ var a = array[i];
+ var b = anotherArray[i];
+
+ if (a instanceof Array || b instanceof Array) {
+ if(!JsHamcrest.areArraysEqual(a, b)) {
+ return false;
+ }
+ } else if (a != b) {
+ return false;
+ }
+ }
+ return true;
+ } else {
+ return array == anotherArray;
+ }
+ },
+
+ /**
+ * Returns whether the given Arrays are equivalent. This will return true if the objects
+ * inside the Arrays are equivalent i.e. they dont have to be the same object reference.
+ * Two objects with the same key value pairs will be equivalent eventhough they are not
+ * the same object.
+ *
+ * @param {type} expected A map of expected values.
+ * @param {type} actual A map of the actual values.
+ * @returns {Boolean} A Boolean signifing if the two Arrays are equivalent, true if they are.
+ */
+ areArraysEquivalent: function(expected, actual)
+ {
+ if (expected.length !== actual.length)
+ {
+ return false;
+ }
+
+ for (var i = 0; i < expected.length; i++)
+ {
+ var a = expected[i];
+ var b = actual[i];
+
+ if(JsHamcrest.areTwoEntitiesEquivalent(a, b) === false)
+ {
+ return false;
+ }
+ }
+
+ return true;
+ },
+
+ /**
+ * Returns whether the given maps are equivalent. This will return true if the objects
+ * inside the maps are equivalent i.e. they dont have to be the same object reference.
+ * Two objects with the same key value pairs will be equivalent eventhough they are not
+ * the same object.
+ *
+ * @param {type} expected A map of expected values.
+ * @param {type} actual A map of the actual values.
+ * @returns {Boolean} A Boolean signifing if the two maps are equivalent, true if they are.
+ */
+ areMapsEquivalent: function(expected, actual)
+ {
+ // we need to do this both ways in case both maps have undefined values (which makes counting the number
+ // of keys a non-acceptable comparison).
+ if(JsHamcrest.simpleMapCompare(expected, actual) && JsHamcrest.simpleMapCompare(actual, expected))
+ {
+ return true;
+ }
+
+ return false;
+ },
+
+ simpleMapCompare: function(firstMap, secondMap)
+ {
+ for(var item in firstMap)
+ {
+ if(firstMap.hasOwnProperty(item))
+ {
+ if(!JsHamcrest.areTwoEntitiesEquivalent(firstMap[item], secondMap[item])) return false;
+ }
+ }
+
+ return true;
+ },
+
+ areTwoEntitiesEquivalent: function(expected, actual)
+ {
+ var expectedsMatcher = JsHamcrest.retreiveEntityMatcherFunction(expected);
+ var actualsMatcher = JsHamcrest.retreiveEntityMatcherFunction(actual);
+
+ if(expectedsMatcher === actualsMatcher && expectedsMatcher(expected, actual))
+ {
+ return true;
+ }
+
+ return false;
+ },
+
+ /**
+ * Returns the function that would be used to compare the entity with an entity of the same type.
+ *
+ * @param {type} entity A JavaScript entity, this method will try and figure out what type.
+ */
+ retreiveEntityMatcherFunction: function(entity) {
+ if ( (Array.isArray && Array.isArray(entity)) || entity instanceof Array ) return JsHamcrest.areArraysEquivalent;
+
+ if(entity instanceof Boolean) return JsHamcrest.areBooleansEqual;
+
+ if(entity instanceof Date) return JsHamcrest.areDatesEqual;
+
+ if(entity instanceof Function) return JsHamcrest.areFunctionsEqual;
+
+ if(entity instanceof Number || typeof entity === "number") return JsHamcrest.areNumbersEqual;
+
+ if(entity instanceof String || typeof entity === "string") return JsHamcrest.areStringsEqual;
+
+ if(entity instanceof RegExp) return JsHamcrest.areRegExpEqual;
+
+ if(entity instanceof Error) return JsHamcrest.areErrorsEqual;
+
+ if(typeof entity === "undefined") return JsHamcrest.areEntitiesUndefined;
+
+ if(entity === null) return JsHamcrest.areEntitiesNull;
+
+ if(entity.constructor === Object) return JsHamcrest.areMapsEquivalent;
+
+ return JsHamcrest.areEntitiesStrictlyEquals;
+ },
+
+ /**
+ * Simple comparator functions.
+ *
+ * @param {type} expected The Object that is expected to be present.
+ * @param {type} actual The Object that is actually present.
+ */
+ areBooleansEqual: function(expected, actual) { return expected.toString() === actual.toString(); },
+
+ areDatesEqual: function(expected, actual) { return expected.toString() === actual.toString(); },
+
+ areFunctionsEqual: function(expected, actual) { return expected === actual; },
+
+ areNumbersEqual: function(expected, actual) { return expected.valueOf() === actual.valueOf(); },
+
+ areStringsEqual: function(expected, actual) { return expected.valueOf() === actual.valueOf(); },
+
+ areRegExpEqual: function(expected, actual) { return expected.toString() === actual.toString(); },
+
+ areErrorsEqual: function(expected, actual) { return expected.constructor === actual.constructor && expected.message === actual.message; },
+
+ areEntitiesUndefined: function(expected, actual) { return expected === actual; },
+
+ areEntitiesNull: function(expected, actual) { return expected === actual; },
+
+ areEntitiesStrictlyEquals: function(expected, actual) { return expected === actual; },
+
+ /**
+ * Builds a matcher object that uses external functions provided by the
+ * caller in order to define the current matching logic.
+ */
+ SimpleMatcher: function(params) {
+ params = params || {};
+
+ this.matches = params.matches;
+ this.describeTo = params.describeTo;
+
+ // Replace the function to describe the actual value
+ if (params.describeValueTo) {
+ this.describeValueTo = params.describeValueTo;
+ }
+ },
+
+ /**
+ * Matcher that provides an easy way to wrap several matchers into one.
+ */
+ CombinableMatcher: function(params) {
+ // Call superclass' constructor
+ JsHamcrest.SimpleMatcher.apply(this, arguments);
+
+ params = params || {};
+
+ this.and = function(anotherMatcher) {
+ var all = JsHamcrest.Matchers.allOf(this, anotherMatcher);
+ return new JsHamcrest.CombinableMatcher({
+ matches: all.matches,
+
+ describeTo: function(description) {
+ description.appendDescriptionOf(all);
+ }
+ });
+ };
+
+ this.or = function(anotherMatcher) {
+ var any = JsHamcrest.Matchers.anyOf(this, anotherMatcher);
+ return new JsHamcrest.CombinableMatcher({
+ matches: any.matches,
+
+ describeTo: function(description) {
+ description.appendDescriptionOf(any);
+ }
+ });
+ };
+ },
+
+ /**
+ * Class that builds assertion error messages.
+ */
+ Description: function() {
+ var value = '';
+
+ this.get = function() {
+ return value;
+ };
+
+ this.appendDescriptionOf = function(selfDescribingObject) {
+ if (selfDescribingObject) {
+ selfDescribingObject.describeTo(this);
+ }
+ return this;
+ };
+
+ this.append = function(text) {
+ if (text != null) {
+ value += text;
+ }
+ return this;
+ };
+
+ this.appendLiteral = function(literal) {
+ var undefined;
+ if (literal === undefined) {
+ this.append('undefined');
+ } else if (literal === null) {
+ this.append('null');
+ } else if (literal instanceof Array) {
+ this.appendValueList('[', ', ', ']', literal);
+ } else if (typeof literal == 'string') {
+ this.append('"' + literal + '"');
+ } else if (literal instanceof Function) {
+ this.append('Function' + (literal.name ? ' ' + literal.name : ''));
+ } else {
+ this.append(literal);
+ }
+ return this;
+ };
+
+ this.appendValueList = function(start, separator, end, list) {
+ this.append(start);
+ for (var i = 0; i < list.length; i++) {
+ if (i > 0) {
+ this.append(separator);
+ }
+ this.appendLiteral(list[i]);
+ }
+ this.append(end);
+ return this;
+ };
+
+ this.appendList = function(start, separator, end, list) {
+ this.append(start);
+ for (var i = 0; i < list.length; i++) {
+ if (i > 0) {
+ this.append(separator);
+ }
+ this.appendDescriptionOf(list[i]);
+ }
+ this.append(end);
+ return this;
+ };
+ }
+};
+
+
+/**
+ * Describes the actual value to the given description. This method is optional
+ * and, if it's not present, the actual value will be described as a JavaScript
+ * literal.
+ */
+JsHamcrest.SimpleMatcher.prototype.describeValueTo = function(actual, description) {
+ description.appendLiteral(actual);
+};
+
+
+// CombinableMatcher is a specialization of SimpleMatcher
+JsHamcrest.CombinableMatcher.prototype = new JsHamcrest.SimpleMatcher();
+JsHamcrest.CombinableMatcher.prototype.constructor = JsHamcrest.CombinableMatcher;
+JsHamcrest.Matchers = {};
+
+/**
+ * The actual value must be any value considered truth by the JavaScript
+ * engine.
+ */
+JsHamcrest.Matchers.truth = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual;
+ },
+
+ describeTo: function(description) {
+ description.append('truth');
+ }
+ });
+};
+
+/**
+ * Delegate-only matcher frequently used to improve readability.
+ */
+JsHamcrest.Matchers.is = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return matcher.matches(actual);
+ },
+
+ describeTo: function(description) {
+ description.append('is ').appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * The actual value must not match the given matcher or value.
+ */
+JsHamcrest.Matchers.not = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return !matcher.matches(actual);
+ },
+
+ describeTo: function(description) {
+ description.append('not ').appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * The actual value must be equal to the given value.
+ */
+JsHamcrest.Matchers.equalTo = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ if (expected instanceof Array || actual instanceof Array) {
+ return JsHamcrest.areArraysEqual(expected, actual);
+ }
+ return actual == expected;
+ },
+
+ describeTo: function(description) {
+ description.append('equal to ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * Useless always-match matcher.
+ */
+JsHamcrest.Matchers.anything = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return true;
+ },
+
+ describeTo: function(description) {
+ description.append('anything');
+ }
+ });
+};
+
+/**
+ * The actual value must be null (or undefined).
+ */
+JsHamcrest.Matchers.nil = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual == null;
+ },
+
+ describeTo: function(description) {
+ description.appendLiteral(null);
+ }
+ });
+};
+
+/**
+ * The actual value must be the same as the given value.
+ */
+JsHamcrest.Matchers.sameAs = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual === expected;
+ },
+
+ describeTo: function(description) {
+ description.append('same as ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * The actual value is a function and, when invoked, it should thrown an
+ * exception with the given name.
+ */
+JsHamcrest.Matchers.raises = function(exceptionName) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actualFunction) {
+ try {
+ actualFunction();
+ } catch (e) {
+ if (e.name == exceptionName) {
+ return true;
+ } else {
+ throw e;
+ }
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('raises ').append(exceptionName);
+ }
+ });
+};
+
+/**
+ * The actual value is a function and, when invoked, it should raise any
+ * exception.
+ */
+JsHamcrest.Matchers.raisesAnything = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actualFunction) {
+ try {
+ actualFunction();
+ } catch (e) {
+ return true;
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('raises anything');
+ }
+ });
+};
+
+/**
+ * Combinable matcher where the actual value must match both of the given
+ * matchers.
+ */
+JsHamcrest.Matchers.both = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.CombinableMatcher({
+ matches: matcher.matches,
+ describeTo: function(description) {
+ description.append('both ').appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * Combinable matcher where the actual value must match at least one of the
+ * given matchers.
+ */
+JsHamcrest.Matchers.either = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.CombinableMatcher({
+ matches: matcher.matches,
+ describeTo: function(description) {
+ description.append('either ').appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * All the given values or matchers should match the actual value to be
+ * sucessful. This matcher behaves pretty much like the && operator.
+ */
+JsHamcrest.Matchers.allOf = function() {
+ var args = arguments;
+ if (args[0] instanceof Array) {
+ args = args[0];
+ }
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ for (var i = 0; i < args.length; i++) {
+ var matcher = args[i];
+ if (!JsHamcrest.isMatcher(matcher)) {
+ matcher = JsHamcrest.Matchers.equalTo(matcher);
+ }
+ if (!matcher.matches(actual)) {
+ return false;
+ }
+ }
+ return true;
+ },
+
+ describeTo: function(description) {
+ description.appendList('(', ' and ', ')', args);
+ }
+ });
+};
+
+/**
+ * At least one of the given matchers should match the actual value. This
+ * matcher behaves pretty much like the || (or) operator.
+ */
+JsHamcrest.Matchers.anyOf = function() {
+ var args = arguments;
+ if (args[0] instanceof Array) {
+ args = args[0];
+ }
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ for (var i = 0; i < args.length; i++) {
+ var matcher = args[i];
+ if (!JsHamcrest.isMatcher(matcher)) {
+ matcher = JsHamcrest.Matchers.equalTo(matcher);
+ }
+ if (matcher.matches(actual)) {
+ return true;
+ }
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.appendList('(', ' or ', ')', args);
+ }
+ });
+};
+
+/**
+ * The actual number must be greater than the expected number.
+ */
+JsHamcrest.Matchers.greaterThan = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual > expected;
+ },
+
+ describeTo: function(description) {
+ description.append('greater than ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * The actual number must be greater than or equal to the expected number
+ */
+JsHamcrest.Matchers.greaterThanOrEqualTo = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual >= expected;
+ },
+
+ describeTo: function(description) {
+ description.append('greater than or equal to ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * The actual number must be less than the expected number.
+ */
+JsHamcrest.Matchers.lessThan = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual < expected;
+ },
+
+ describeTo: function(description) {
+ description.append('less than ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * The actual number must be less than or equal to the expected number.
+ */
+JsHamcrest.Matchers.lessThanOrEqualTo = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual <= expected;
+ },
+
+ describeTo: function(description) {
+ description.append('less than or equal to ').append(expected);
+ }
+ });
+};
+
+/**
+ * The actual value must not be a number.
+ */
+JsHamcrest.Matchers.notANumber = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return isNaN(actual);
+ },
+
+ describeTo: function(description) {
+ description.append('not a number');
+ }
+ });
+};
+
+/**
+ * The actual value must be divisible by the given number.
+ */
+JsHamcrest.Matchers.divisibleBy = function(divisor) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual % divisor === 0;
+ },
+
+ describeTo: function(description) {
+ description.append('divisible by ').appendLiteral(divisor);
+ }
+ });
+};
+
+/**
+ * The actual value must be even.
+ */
+JsHamcrest.Matchers.even = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual % 2 === 0;
+ },
+
+ describeTo: function(description) {
+ description.append('even');
+ }
+ });
+};
+
+/**
+ * The actual number must be odd.
+ */
+JsHamcrest.Matchers.odd = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual % 2 !== 0;
+ },
+
+ describeTo: function(description) {
+ description.append('odd');
+ }
+ });
+};
+
+/**
+ * The actual number must be between the given range (inclusive).
+ */
+JsHamcrest.Matchers.between = function(start) {
+ return {
+ and: function(end) {
+ var greater = end;
+ var lesser = start;
+
+ if (start > end) {
+ greater = start;
+ lesser = end;
+ }
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual >= lesser && actual <= greater;
+ },
+
+ describeTo: function(description) {
+ description.append('between ').appendLiteral(lesser)
+ .append(' and ').appendLiteral(greater);
+ }
+ });
+ }
+ };
+};
+
+/**
+ * The actual number must be close enough to *expected*, that is, the actual
+ * number is equal to a value within some range of acceptable error.
+ */
+JsHamcrest.Matchers.closeTo = function(expected, delta) {
+ if (!delta) {
+ delta = 0;
+ }
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return (Math.abs(actual - expected) - delta) <= 0;
+ },
+
+ describeTo: function(description) {
+ description.append('number within ')
+ .appendLiteral(delta).append(' of ').appendLiteral(expected);
+ }
+ });
+};
+
+/**
+ * The actual number must be zero.
+ */
+JsHamcrest.Matchers.zero = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual === 0;
+ },
+
+ describeTo: function(description) {
+ description.append('zero');
+ }
+ });
+};
+
+/**
+ * The actual string must be equal to the given string, ignoring case.
+ */
+JsHamcrest.Matchers.equalIgnoringCase = function(str) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual.toUpperCase() == str.toUpperCase();
+ },
+
+ describeTo: function(description) {
+ description.append('equal ignoring case "').append(str).append('"');
+ }
+ });
+};
+
+/**
+ * The actual string must have a substring equals to the given string.
+ */
+JsHamcrest.Matchers.containsString = function(str) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual.indexOf(str) >= 0;
+ },
+
+ describeTo: function(description) {
+ description.append('contains string "').append(str).append('"');
+ }
+ });
+};
+
+/**
+ * The actual string must start with the given string.
+ */
+JsHamcrest.Matchers.startsWith = function(str) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual.indexOf(str) === 0;
+ },
+
+ describeTo: function(description) {
+ description.append('starts with ').appendLiteral(str);
+ }
+ });
+};
+
+/**
+ * The actual string must end with the given string.
+ */
+JsHamcrest.Matchers.endsWith = function(str) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual.lastIndexOf(str) + str.length == actual.length;
+ },
+
+ describeTo: function(description) {
+ description.append('ends with ').appendLiteral(str);
+ }
+ });
+};
+
+/**
+ * The actual string must match the given regular expression.
+ */
+JsHamcrest.Matchers.matches = function(regex) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return regex.test(actual);
+ },
+
+ describeTo: function(description) {
+ description.append('matches ').appendLiteral(regex);
+ }
+ });
+};
+
+/**
+ * The actual string must look like an e-mail address.
+ */
+JsHamcrest.Matchers.emailAddress = function() {
+ var regex = /^([a-z0-9_\.\-\+])+\@(([a-z0-9\-])+\.)+([a-z0-9]{2,4})+$/i;
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return regex.test(actual);
+ },
+
+ describeTo: function(description) {
+ description.append('email address');
+ }
+ });
+};
+
+/**
+ * The actual value has a member with the given name.
+ */
+JsHamcrest.Matchers.hasMember = function(memberName, matcherOrValue) {
+ var undefined;
+ if (matcherOrValue === undefined) {
+ matcherOrValue = JsHamcrest.Matchers.anything();
+ } else if (!JsHamcrest.isMatcher(matcherOrValue)) {
+ matcherOrValue = JsHamcrest.Matchers.equalTo(matcherOrValue);
+ }
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ if (actual && memberName in actual) {
+ return matcherOrValue.matches(actual[memberName]);
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('has member ').appendLiteral(memberName)
+ .append(' (').appendDescriptionOf(matcherOrValue).append(')');
+ }
+ });
+};
+
+/**
+ * The actual value has a function with the given name.
+ */
+JsHamcrest.Matchers.hasFunction = function(functionName) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ if (actual) {
+ return functionName in actual &&
+ actual[functionName] instanceof Function;
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('has function ').appendLiteral(functionName);
+ }
+ });
+};
+
+/**
+ * The actual value must be an instance of the given class.
+ */
+JsHamcrest.Matchers.instanceOf = function(clazz) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return !!(actual instanceof clazz);
+ },
+
+ describeTo: function(description) {
+ var className = clazz.name ? clazz.name : 'a class';
+ description.append('instance of ').append(className);
+ }
+ });
+};
+
+/**
+ * The actual value must be an instance of the given type.
+ */
+JsHamcrest.Matchers.typeOf = function(typeName) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return (typeof actual == typeName);
+ },
+
+ describeTo: function(description) {
+ description.append('typeof ').append('"').append(typeName).append('"');
+ }
+ });
+};
+
+/**
+ * The actual value must be an object.
+ */
+JsHamcrest.Matchers.object = function() {
+ return new JsHamcrest.Matchers.instanceOf(Object);
+};
+
+/**
+ * The actual value must be a string.
+ */
+JsHamcrest.Matchers.string = function() {
+ return new JsHamcrest.Matchers.typeOf('string');
+};
+
+/**
+ * The actual value must be a number.
+ */
+JsHamcrest.Matchers.number = function() {
+ return new JsHamcrest.Matchers.typeOf('number');
+};
+
+/**
+ * The actual value must be a boolean.
+ */
+JsHamcrest.Matchers.bool = function() {
+ return new JsHamcrest.Matchers.typeOf('boolean');
+};
+
+/**
+ * The actual value must be a function.
+ */
+JsHamcrest.Matchers.func = function() {
+ return new JsHamcrest.Matchers.instanceOf(Function);
+};
+
+/**
+ * The actual value should be an array and it must contain at least one value
+ * that matches the given value or matcher.
+ */
+JsHamcrest.Matchers.hasItem = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ // Should be an array
+ if (!(actual instanceof Array)) {
+ return false;
+ }
+
+ for (var i = 0; i < actual.length; i++) {
+ if (matcher.matches(actual[i])) {
+ return true;
+ }
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('array contains item ')
+ .appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * The actual value should be an array and the given values or matchers must
+ * match at least one item.
+ */
+JsHamcrest.Matchers.hasItems = function() {
+ var items = [];
+ for (var i = 0; i < arguments.length; i++) {
+ items.push(JsHamcrest.Matchers.hasItem(arguments[i]));
+ }
+ return JsHamcrest.Matchers.allOf(items);
+};
+
+/**
+ * The actual value should be an array and the given value or matcher must
+ * match all items.
+ */
+JsHamcrest.Matchers.everyItem = JsHamcrest.EqualTo(function(matcher) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ // Should be an array
+ if (!(actual instanceof Array)) {
+ return false;
+ }
+
+ for (var i = 0; i < actual.length; i++) {
+ if (!matcher.matches(actual[i])) {
+ return false;
+ }
+ }
+ return true;
+ },
+
+ describeTo: function(description) {
+ description.append('every item ')
+ .appendDescriptionOf(matcher);
+ }
+ });
+});
+
+/**
+ * The given array must contain the actual value.
+ */
+JsHamcrest.Matchers.isIn = function() {
+ var equalTo = JsHamcrest.Matchers.equalTo;
+
+ var args = arguments;
+ if (args[0] instanceof Array) {
+ args = args[0];
+ }
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ for (var i = 0; i < args.length; i++) {
+ if (equalTo(args[i]).matches(actual)) {
+ return true;
+ }
+ }
+ return false;
+ },
+
+ describeTo: function(description) {
+ description.append('one of ').appendLiteral(args);
+ }
+ });
+};
+
+/**
+ * Alias to 'isIn' matcher.
+ */
+JsHamcrest.Matchers.oneOf = JsHamcrest.Matchers.isIn;
+
+/**
+ * The actual value should be an array and it must be empty to be sucessful.
+ */
+JsHamcrest.Matchers.empty = function() {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return actual.length === 0;
+ },
+
+ describeTo: function(description) {
+ description.append('empty');
+ }
+ });
+};
+
+/**
+ * The length of the actual value value must match the given value or matcher.
+ */
+JsHamcrest.Matchers.hasSize = JsHamcrest.EqualTo(function(matcher) {
+ var getSize = function(actual) {
+ var size = actual.length;
+ if (size === undefined && typeof actual === 'object') {
+ size = 0;
+ for (var key in actual)
+ size++;
+ }
+ return size;
+ };
+
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual) {
+ return matcher.matches(getSize(actual));
+ },
+
+ describeTo: function(description) {
+ description.append('has size ').appendDescriptionOf(matcher);
+ },
+
+ describeValueTo: function(actual, description) {
+ description.append(getSize(actual));
+ }
+ });
+});
+
+JsHamcrest.Matchers.equivalentMap = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual)
+ {
+ if(JsHamcrest.retreiveEntityMatcherFunction(actual) === JsHamcrest.areMapsEquivalent &&
+ JsHamcrest.retreiveEntityMatcherFunction(expected) === JsHamcrest.areMapsEquivalent)
+ {
+ return JsHamcrest.areMapsEquivalent(expected, actual);
+ }
+
+ return false; //The passed in objects aren't maps.
+ },
+
+ describeTo: function(description) {
+ description.append('map equivalent to ').appendLiteral(expected);
+ }
+ });
+};
+
+JsHamcrest.Matchers.equivalentArray = function(expected) {
+ return new JsHamcrest.SimpleMatcher({
+ matches: function(actual)
+ {
+ if (expected instanceof Array && actual instanceof Array)
+ {
+ return JsHamcrest.areArraysEquivalent(expected, actual);
+ }
+
+ return false; //The passed in objects aren't Arrays.
+ },
+
+ describeTo: function(description) {
+ description.append('array equivalent to ').appendLiteral(expected);
+ }
+ });
+};
+JsHamcrest.Operators = {};
+
+/**
+ * Returns those items of the array for which matcher matches.
+ */
+JsHamcrest.Operators.filter = function(array, matcherOrValue) {
+ if (!(array instanceof Array) || matcherOrValue == null) {
+ return array;
+ }
+ if (!(matcherOrValue instanceof JsHamcrest.SimpleMatcher)) {
+ matcherOrValue = JsHamcrest.Matchers.equalTo(matcherOrValue);
+ }
+
+ var result = [];
+ for (var i = 0; i < array.length; i++) {
+ if (matcherOrValue.matches(array[i])) {
+ result.push(array[i]);
+ }
+ }
+ return result;
+};
+
+/**
+ * Generic assert function.
+ */
+JsHamcrest.Operators.assert = function(actualValue, matcherOrValue, options) {
+ options = options ? options : {};
+ var description = new JsHamcrest.Description();
+
+ if (matcherOrValue == null) {
+ matcherOrValue = JsHamcrest.Matchers.truth();
+ } else if (!JsHamcrest.isMatcher(matcherOrValue)) {
+ matcherOrValue = JsHamcrest.Matchers.equalTo(matcherOrValue);
+ }
+
+ if (options.message) {
+ description.append(options.message).append('. ');
+ }
+
+ description.append('Expected ');
+ matcherOrValue.describeTo(description);
+
+ if (!matcherOrValue.matches(actualValue)) {
+ description.passed = false;
+ description.append(' but was ');
+ matcherOrValue.describeValueTo(actualValue, description);
+ if (options.fail) {
+ options.fail(description.get());
+ }
+ } else {
+ description.append(': Success');
+ description.passed = true;
+ if (options.pass) {
+ options.pass(description.get());
+ }
+ }
+ return description;
+};
+
+/**
+ * Delegate function, useful when used along with raises() and raisesAnything().
+ */
+JsHamcrest.Operators.callTo = function() {
+ var func = [].shift.call(arguments);
+ var args = arguments;
+ return function() {
+ return func.apply(this, args);
+ };
+}
+
+/**
+ * Integration utilities.
+ */
+
+JsHamcrest.Integration = (function() {
+
+ var self = this;
+
+ return {
+
+ /**
+ * Copies all members of an object to another.
+ */
+ copyMembers: function(source, target) {
+ if (arguments.length == 1) {
+ target = source;
+ JsHamcrest.Integration.copyMembers(JsHamcrest.Matchers, target);
+ JsHamcrest.Integration.copyMembers(JsHamcrest.Operators, target);
+ } else if (source) {
+ for (var method in source) {
+ if (!(method in target)) {
+ target[method] = source[method];
+ }
+ }
+ }
+ },
+
+ /**
+ * Adds the members of the given object to JsHamcrest.Matchers
+ * namespace.
+ */
+ installMatchers: function(matchersNamespace) {
+ var target = JsHamcrest.Matchers;
+ JsHamcrest.Integration.copyMembers(matchersNamespace, target);
+ },
+
+ /**
+ * Adds the members of the given object to JsHamcrest.Operators
+ * namespace.
+ */
+ installOperators: function(operatorsNamespace) {
+ var target = JsHamcrest.Operators;
+ JsHamcrest.Integration.copyMembers(operatorsNamespace, target);
+ },
+
+ /**
+ * Uses the web browser's alert() function to display the assertion
+ * results. Great for quick prototyping.
+ */
+ WebBrowser: function() {
+ JsHamcrest.Integration.copyMembers(self);
+
+ self.assertThat = function (actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ alert('[FAIL] ' + message);
+ },
+ pass: function(message) {
+ alert('[SUCCESS] ' + message);
+ }
+ });
+ };
+ },
+
+ /**
+ * Uses the Rhino's print() function to display the assertion results.
+ * Great for prototyping.
+ */
+ Rhino: function() {
+ JsHamcrest.Integration.copyMembers(self);
+
+ self.assertThat = function (actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ print('[FAIL] ' + message + '\n');
+ },
+ pass: function(message) {
+ print('[SUCCESS] ' + message + '\n');
+ }
+ });
+ };
+ },
+
+ /**
+ * JsTestDriver integration.
+ */
+ JsTestDriver: function(params) {
+ params = params ? params : {};
+ var target = params.scope || self;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ // Function called when an assertion fails.
+ function fail(message) {
+ var exc = new Error(message);
+ exc.name = 'AssertError';
+
+ try {
+ // Removes all jshamcrest-related entries from error stack
+ var re = new RegExp('jshamcrest.*\.js\:', 'i');
+ var stack = exc.stack.split('\n');
+ var newStack = '';
+ for (var i = 0; i < stack.length; i++) {
+ if (!re.test(stack[i])) {
+ newStack += stack[i] + '\n';
+ }
+ }
+ exc.stack = newStack;
+ } catch (e) {
+ // It's okay, do nothing
+ }
+ throw exc;
+ }
+
+ // Assertion method exposed to JsTestDriver.
+ target.assertThat = function (actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: fail
+ });
+ };
+ },
+
+ /**
+ * NodeUnit (Node.js Unit Testing) integration.
+ */
+
+ Nodeunit: function(params) {
+ params = params ? params : {};
+ var target = params.scope || global;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ target.assertThat = function(actual, matcher, message, test) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ test.ok(false, message);
+ },
+ pass: function(message) {
+ test.ok(true, message);
+ }
+ });
+ };
+ },
+
+ /**
+ * JsUnitTest integration.
+ */
+ JsUnitTest: function(params) {
+ params = params ? params : {};
+ var target = params.scope || JsUnitTest.Unit.Testcase.prototype;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ // Assertion method exposed to JsUnitTest.
+ target.assertThat = function (actual, matcher, message) {
+ var self = this;
+
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ self.fail(message);
+ },
+ pass: function() {
+ self.pass();
+ }
+ });
+ };
+ },
+
+ /**
+ * YUITest (Yahoo UI) integration.
+ */
+ YUITest: function(params) {
+ params = params ? params : {};
+ var target = params.scope || self;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ target.Assert = YAHOO.util.Assert;
+
+ // Assertion method exposed to YUITest.
+ YAHOO.util.Assert.that = function(actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ YAHOO.util.Assert.fail(message);
+ }
+ });
+ };
+ },
+
+ /**
+ * QUnit (JQuery) integration.
+ */
+ QUnit: function(params) {
+ params = params ? params : {};
+ var target = params.scope || self;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ // Assertion method exposed to QUnit.
+ target.assertThat = function(assert, actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ assert.ok(false, message);
+ },
+ pass: function(message) {
+ assert.ok(true, message);
+ }
+ });
+ };
+ },
+
+ /**
+ * jsUnity integration.
+ */
+ jsUnity: function(params) {
+ params = params ? params : {};
+ var target = params.scope || jsUnity.env.defaultScope;
+ var assertions = params.attachAssertions || false;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ if (assertions) {
+ jsUnity.attachAssertions(target);
+ }
+
+ // Assertion method exposed to jsUnity.
+ target.assertThat = function(actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ throw message;
+ }
+ });
+ };
+ },
+
+ /**
+ * Screw.Unit integration.
+ */
+ screwunit: function(params) {
+ params = params ? params : {};
+ var target = params.scope || Screw.Matchers;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ // Assertion method exposed to Screw.Unit.
+ target.assertThat = function(actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ throw message;
+ }
+ });
+ };
+ },
+
+ /**
+ * Jasmine integration.
+ */
+ jasmine: function(params) {
+ params = params ? params : {};
+ var target = params.scope || self;
+
+ JsHamcrest.Integration.copyMembers(target);
+
+ // Assertion method exposed to Jasmine.
+ target.assertThat = function(actual, matcher, message) {
+ return JsHamcrest.Operators.assert(actual, matcher, {
+ message: message,
+ fail: function(message) {
+ jasmine.getEnv().currentSpec.addMatcherResult(
+ new jasmine.ExpectationResult({passed:false, message:message})
+ );
+ },
+ pass: function(message) {
+ jasmine.getEnv().currentSpec.addMatcherResult(
+ new jasmine.ExpectationResult({passed:true, message:message})
+ );
+ }
+ });
+ };
+ }
+ };
+})();
+
+if (typeof exports !== "undefined") exports.JsHamcrest = JsHamcrest;
\ No newline at end of file
diff --git a/docs/SymptomsCausedByCOVIDLots/test/jsmockito-1.0.4.js b/docs/SymptomsCausedByCOVIDLots/test/jsmockito-1.0.4.js
new file mode 100644
index 00000000000..3fe2a12f12f
--- /dev/null
+++ b/docs/SymptomsCausedByCOVIDLots/test/jsmockito-1.0.4.js
@@ -0,0 +1,1019 @@
+/* vi:ts=2 sw=2 expandtab
+ *
+ * JsMockito v1.0.4
+ * http://github.com/chrisleishman/jsmockito
+ *
+ * Mockito port to JavaScript
+ *
+ * Copyright (c) 2009 Chris Leishman
+ * Licensed under the BSD license
+ */
+
+/**
+ * Main namespace.
+ * @namespace
+ *
+ * Contents
+ *
+ *
+ * Let's verify some behaviour!
+ * How about some stubbing?
+ * Matching Arguments
+ * Verifying exact number of invocations / at least once /
+ * never
+ * Matching the context ('this')
+ * Making sure interactions never happened on a mock
+ * Finding redundant invocations
+ *
+ *
+ * In the following examples object mocking is done with Array as this is
+ * well understood, although you probably wouldn't mock this in normal test
+ * development.
+ *
+ *
+ *
+ * For an object:
+ *
+ * //mock creation
+ * var mockedArray = mock(Array);
+ *
+ * //using mock object
+ * mockedArray.push("one");
+ * mockedArray.reverse();
+ *
+ * //verification
+ * verify(mockedArray).push("one");
+ * verify(mockedArray).reverse();
+ *
+ *
+ * For a function:
+ *
+ * //mock creation
+ * var mockedFunc = mockFunction();
+ *
+ * //using mock function
+ * mockedFunc('hello world');
+ * mockedFunc.call(this, 'foobar');
+ * mockedFunc.apply(this, [ 'barfoo' ]);
+ *
+ * //verification
+ * verify(mockedFunc)('hello world');
+ * verify(mockedFunc)('foobar');
+ * verify(mockedFunc)('barfoo');
+ *
+ *
+ * Once created a mock will remember all interactions. Then you selectively
+ * verify whatever interactions you are interested in.
+ *
+ *
+ *
+ * For an object:
+ *
+ * var mockedArray = mock(Array);
+ *
+ * //stubbing
+ * when(mockedArray).slice(0).thenReturn('f');
+ * when(mockedArray).slice(1).thenThrow('An exception');
+ * when(mockedArray).slice(2).then(function() { return 1+2 });
+ *
+ * //the following returns "f"
+ * assertThat(mockedArray.slice(0), equalTo('f'));
+ *
+ * //the following throws exception 'An exception'
+ * var ex = undefined;
+ * try {
+ * mockedArray.slice(1);
+ * } catch (e) {
+ * ex = e;
+ * }
+ * assertThat(ex, equalTo('An exception');
+ *
+ * //the following invokes the stub method, which returns 3
+ * assertThat(mockedArray.slice(2), equalTo(3));
+ *
+ * //the following returns undefined as slice(999) was not stubbed
+ * assertThat(mockedArray.slice(999), typeOf('undefined'));
+ *
+ * //stubs can take multiple values to return in order (same for 'thenThrow' and 'then' as well)
+ * when(mockedArray).pop().thenReturn('a', 'b', 'c');
+ * assertThat(mockedArray.pop(), equalTo('a'));
+ * assertThat(mockedArray.pop(), equalTo('b'));
+ * assertThat(mockedArray.pop(), equalTo('c'));
+ * assertThat(mockedArray.pop(), equalTo('c'));
+ *
+ * //stubs can also be chained to return values in order
+ * when(mockedArray).unshift().thenReturn('a').thenReturn('b').then(function() { return 'c' });
+ * assertThat(mockedArray.unshift(), equalTo('a'));
+ * assertThat(mockedArray.unshift(), equalTo('b'));
+ * assertThat(mockedArray.unshift(), equalTo('c'));
+ * assertThat(mockedArray.unshift(), equalTo('c'));
+ *
+ * //stub matching can overlap, allowing for specific cases and defaults
+ * when(mockedArray).slice(3).thenReturn('abcde');
+ * when(mockedArray).slice(3, lessThan(0)).thenReturn('edcba');
+ * assertThat(mockedArray.slice(3, -1), equalTo('edcba'));
+ * assertThat(mockedArray.slice(3, 1), equalTo('abcde'));
+ * assertThat(mockedArray.slice(3), equalTo('abcde'));
+ *
+ * //can also verify a stubbed invocation, although this is usually redundant
+ * verify(mockedArray).slice(0);
+ *
+ *
+ * For a function:
+ *
+ * var mockedFunc = mockFunction();
+ *
+ * //stubbing
+ * when(mockedFunc)(0).thenReturn('f');
+ * when(mockedFunc)(1).thenThrow('An exception');
+ * when(mockedFunc)(2).then(function() { return 1+2 });
+ *
+ * //the following returns "f"
+ * assertThat(mockedFunc(0), equalTo('f'))
+ *
+ * //following throws exception 'An exception'
+ * mockedFunc(1);
+ * //the following throws exception 'An exception'
+ * var ex = undefined;
+ * try {
+ * mockedFunc(1);
+ * } catch (e) {
+ * ex = e;
+ * }
+ * assertThat(ex, equalTo('An exception');
+ *
+ * //the following invokes the stub method, which returns 3
+ * assertThat(mockedFunc(2), equalTo(3));
+ *
+ * //following returns undefined as mockedFunc(999) was not stubbed
+ * assertThat(mockedFunc(999), typeOf('undefined'));
+ *
+ * //stubs can take multiple values to return in order (same for 'thenThrow' and 'then' as well)
+ * when(mockedFunc)(3).thenReturn('a', 'b', 'c');
+ * assertThat(mockedFunc(3), equalTo('a'));
+ * assertThat(mockedFunc(3), equalTo('b'));
+ * assertThat(mockedFunc(3), equalTo('c'));
+ * assertThat(mockedFunc(3), equalTo('c'));
+ *
+ * //stubs can also be chained to return values in order
+ * when(mockedFunc)(4).thenReturn('a').thenReturn('b').then(function() { return 'c' });
+ * assertThat(mockedFunc(4), equalTo('a'));
+ * assertThat(mockedFunc(4), equalTo('b'));
+ * assertThat(mockedFunc(4), equalTo('c'));
+ * assertThat(mockedFunc(4), equalTo('c'));
+ *
+ * //stub matching can overlap, allowing for specific cases and defaults
+ * when(mockedFunc)(5).thenReturn('abcde')
+ * when(mockedFunc)(5, lessThan(0)).thenReturn('edcba')
+ * assertThat(mockedFunc(5, -1), equalTo('edcba'))
+ * assertThat(mockedFunc(5, 1), equalTo('abcde'))
+ * assertThat(mockedFunc(5), equalTo('abcde'))
+ *
+ * //can also verify a stubbed invocation, although this is usually redundant
+ * verify(mockedFunc)(0);
+ *
+ *
+ *
+ * By default mocks return undefined from all invocations;
+ * Stubs can be overwritten;
+ * Once stubbed, the method will always return the stubbed value regardless
+ * of how many times it is called;
+ * Last stubbing is more important - when you stubbed the same method with
+ * the same (or overlapping) matchers many times.
+ *
+ *
+ *
+ *
+ * JsMockito verifies arguments using
+ * JsHamcrest matchers.
+ *
+ *
+ * var mockedArray = mock(Array);
+ * var mockedFunc = mockFunction();
+ *
+ * //stubbing using JsHamcrest
+ * when(mockedArray).slice(lessThan(10)).thenReturn('f');
+ * when(mockedFunc)(containsString('world')).thenReturn('foobar');
+ *
+ * //following returns "f"
+ * mockedArray.slice(5);
+ *
+ * //following returns "foobar"
+ * mockedFunc('hello world');
+ *
+ * //you can also use matchers in verification
+ * verify(mockedArray).slice(greaterThan(4));
+ * verify(mockedFunc)(equalTo('hello world'));
+ *
+ * //if not specified then the matcher is anything(), thus either of these
+ * //will match an invocation with a single argument
+ * verify(mockedFunc)();
+ * verify(mockedFunc)(anything());
+ *
+ *
+ *
+ * If the argument provided during verification/stubbing is not a
+ * JsHamcrest matcher, then 'equalTo(arg)' is used instead;
+ * Where a function/method was invoked with an argument, but the stub or
+ * verification does not provide a matcher, then anything() is assumed;
+ * The reverse, however, is not true - the anything() matcher will
+ * not match an argument that was never provided.
+ *
+ *
+ *
+ *
+ *
+ * var mockedArray = mock(Array);
+ * var mockedFunc = mockFunction();
+ *
+ * mockedArray.slice(5);
+ * mockedArray.slice(6);
+ * mockedFunc('a');
+ * mockedFunc('b');
+ *
+ * //verification of multiple matching invocations
+ * verify(mockedArray, times(2)).slice(anything());
+ * verify(mockedFunc, times(2))(anything());
+ *
+ * //the default is times(1), making these are equivalent
+ * verify(mockedArray, times(1)).slice(5);
+ * verify(mockedArray).slice(5);
+ *
+ *
+ *
+ *
+ * Functions can be invoked with a specific context, using the 'call' or
+ * 'apply' methods. JsMockito mock functions (and mock object methods)
+ * will remember this context and verification/stubbing can match on it.
+ *
+ * For a function:
+ *
+ * var mockedFunc = mockFunction();
+ * var context1 = {};
+ * var context2 = {};
+ *
+ * when(mockedFunc).call(equalTo(context2), anything()).thenReturn('hello');
+ *
+ * mockedFunc.call(context1, 'foo');
+ * //the following returns 'hello'
+ * mockedFunc.apply(context2, [ 'bar' ]);
+ *
+ * verify(mockedFunc).apply(context1, [ 'foo' ]);
+ * verify(mockedFunc).call(context2, 'bar');
+ *
+ *
+ * For object method invocations, the context is usually the object itself.
+ * But sometimes people do strange things, and you need to test it - so
+ * the same approach can be used for an object:
+ *
+ * var mockedArray = mock(Array);
+ * var otherContext = {};
+ *
+ * when(mockedArray).slice.call(otherContext, 5).thenReturn('h');
+ *
+ * //the following returns 'h'
+ * mockedArray.slice.apply(otherContext, [ 5 ]);
+ *
+ * verify(mockedArray).slice.call(equalTo(otherContext), 5);
+ *
+ *
+ *
+ * For mock functions, the default context matcher is anything();
+ * For mock object methods, the default context matcher is
+ * sameAs(mockObj).
+ *
+ *
+ *
+ *
+ *
+ * var mockOne = mock(Array);
+ * var mockTwo = mock(Array);
+ * var mockThree = mockFunction();
+ *
+ * //only mockOne is interacted with
+ * mockOne.push(5);
+ *
+ * //verify a method was never called
+ * verify(mockOne, never()).unshift('a');
+ *
+ * //verify that other mocks were not interacted with
+ * verifyZeroInteractions(mockTwo, mockThree);
+ *
+ *
+ *
+ *
+ *
+ * var mockArray = mock(Array);
+ *
+ * mockArray.push(5);
+ * mockArray.push(8);
+ *
+ * verify(mockArray).push(5);
+ *
+ * // following verification will fail
+ * verifyNoMoreInteractions(mockArray);
+ *
+ */
+JsMockito = {
+ /**
+ * Library version,
+ */
+ version: '1.0.4',
+
+ _export: ['isMock', 'when', 'verify', 'verifyZeroInteractions',
+ 'verifyNoMoreInteractions', 'spy'],
+
+ /**
+ * Test if a given variable is a mock
+ *
+ * @param maybeMock An object
+ * @return {boolean} true if the variable is a mock
+ */
+ isMock: function(maybeMock) {
+ return typeof maybeMock._jsMockitoVerifier != 'undefined';
+ },
+
+ /**
+ * Add a stub for a mock object method or mock function
+ *
+ * @param mock A mock object or mock anonymous function
+ * @return {object or function} A stub builder on which the method or
+ * function to be stubbed can be invoked
+ */
+ when: function(mock) {
+ return mock._jsMockitoStubBuilder();
+ },
+
+ /**
+ * Verify that a mock object method or mock function was invoked
+ *
+ * @param mock A mock object or mock anonymous function
+ * @param verifier Optional JsMockito.Verifier instance (default: JsMockito.Verifiers.once())
+ * @return {object or function} A verifier on which the method or function to
+ * be verified can be invoked
+ */
+ verify: function(mock, verifier) {
+ return (verifier || JsMockito.Verifiers.once()).verify(mock);
+ },
+
+ /**
+ * Verify that no mock object methods or the mock function were ever invoked
+ *
+ * @param mock A mock object or mock anonymous function (multiple accepted)
+ */
+ verifyZeroInteractions: function() {
+ JsMockito.each(arguments, function(mock) {
+ JsMockito.Verifiers.zeroInteractions().verify(mock);
+ });
+ },
+
+ /**
+ * Verify that no mock object method or mock function invocations remain
+ * unverified
+ *
+ * @param mock A mock object or mock anonymous function (multiple accepted)
+ */
+ verifyNoMoreInteractions: function() {
+ JsMockito.each(arguments, function(mock) {
+ JsMockito.Verifiers.noMoreInteractions().verify(mock);
+ });
+ },
+
+ /**
+ * Create a mock that proxies a real function or object. All un-stubbed
+ * invocations will be passed through to the real implementation, but can
+ * still be verified.
+ *
+ * @param {object or function} delegate A 'real' (concrete) object or
+ * function that the mock will delegate unstubbed invocations to
+ * @return {object or function} A mock object (as per mock) or mock function
+ * (as per mockFunction)
+ */
+ spy: function(delegate) {
+ return (typeof delegate == 'function')?
+ JsMockito.mockFunction(delegate) : JsMockito.mock(delegate);
+ },
+
+ contextCaptureFunction: function(defaultContext, handler) {
+ // generate a function with overridden 'call' and 'apply' methods
+ // and apply a default context when these are not used to supply
+ // one explictly.
+ var captureFunction = function() {
+ return captureFunction.apply(defaultContext,
+ Array.prototype.slice.call(arguments, 0));
+ };
+ captureFunction.call = function(context) {
+ return captureFunction.apply(context,
+ Array.prototype.slice.call(arguments, 1));
+ };
+ captureFunction.apply = function(context, args) {
+ return handler.apply(this, [ context, args||[] ]);
+ };
+ return captureFunction;
+ },
+
+ matchArray: function(matchers, array) {
+ if (matchers.length > array.length)
+ return false;
+ return !JsMockito.any(matchers, function(matcher, i) {
+ return !matcher.matches(array[i]);
+ });
+ },
+
+ toMatcher: function(obj) {
+ return JsHamcrest.isMatcher(obj)? obj :
+ JsHamcrest.Matchers.equalTo(obj);
+ },
+
+ mapToMatchers: function(srcArray) {
+ return JsMockito.map(srcArray, function(obj) {
+ return JsMockito.toMatcher(obj);
+ });
+ },
+
+ verifier: function(name, proto) {
+ JsMockito.Verifiers[name] = function() { JsMockito.Verifier.apply(this, arguments) };
+ JsMockito.Verifiers[name].prototype = new JsMockito.Verifier;
+ JsMockito.Verifiers[name].prototype.constructor = JsMockito.Verifiers[name];
+ JsMockito.extend(JsMockito.Verifiers[name].prototype, proto);
+ },
+
+ each: function(srcArray, callback) {
+ for (var i = 0; i < srcArray.length; i++)
+ callback(srcArray[i], i);
+ },
+
+ eachObject: function(srcObject, callback) {
+ for (var key in srcObject)
+ callback(srcObject[key], key);
+ },
+
+ extend: function(dstObject, srcObject) {
+ for (var prop in srcObject) {
+ dstObject[prop] = srcObject[prop];
+ }
+ return dstObject;
+ },
+
+ objectKeys: function(srcObject) {
+ var result = [];
+ JsMockito.eachObject(srcObject, function(elem, key) {
+ result.push(key);
+ });
+ return result;
+ },
+
+ objectValues: function(srcObject) {
+ var result = [];
+ JsMockito.eachObject(srcObject, function(elem, key) {
+ result.push(elem);
+ });
+ return result;
+ },
+
+ map: function(srcArray, callback) {
+ var result = [];
+ JsMockito.each(srcArray, function(elem, key) {
+ var val = callback(elem, key);
+ if (val != null)
+ result.push(val);
+ });
+ return result;
+ },
+
+ mapObject: function(srcObject, callback) {
+ var result = {};
+ JsMockito.eachObject(srcObject, function(elem, key) {
+ var val = callback(elem, key);
+ if (val != null)
+ result[key] = val;
+ });
+ return result;
+ },
+
+ mapInto: function(dstObject, srcObject, callback) {
+ return JsMockito.extend(dstObject,
+ JsMockito.mapObject(srcObject, function(elem, key) {
+ return callback(elem, key);
+ })
+ );
+ },
+
+ grep: function(srcArray, callback) {
+ var result = [];
+ JsMockito.each(srcArray, function(elem, key) {
+ if (callback(elem, key))
+ result.push(elem);
+ });
+ return result;
+ },
+
+ find: function(array, callback) {
+ for (var i = 0; i < array.length; i++)
+ if (callback(array[i], i))
+ return array[i];
+ return undefined;
+ },
+
+ any: function(array, callback) {
+ return (this.find(array, callback) != undefined);
+ }
+};
+
+
+/**
+ * Create a mockable and stubbable anonymous function.
+ *
+ * Once created, the function can be invoked and will return undefined for
+ * any interactions that do not match stub declarations.
+ *
+ *
+ * var mockFunc = JsMockito.mockFunction();
+ * JsMockito.when(mockFunc).call(anything(), 1, 5).thenReturn(6);
+ * mockFunc(1, 5); // result is 6
+ * JsMockito.verify(mockFunc)(1, greaterThan(2));
+ *
+ *
+ * @param funcName {string} The name of the mock function to use in messages
+ * (defaults to 'func')
+ * @param delegate {function} The function to delegate unstubbed calls to
+ * (optional)
+ * @return {function} an anonymous function
+ */
+JsMockito.mockFunction = function(funcName, delegate) {
+ if (typeof funcName == 'function') {
+ delegate = funcName;
+ funcName = undefined;
+ }
+ funcName = funcName || 'func';
+ delegate = delegate || function() { };
+
+ var stubMatchers = []
+ var interactions = [];
+
+ var mockFunc = function() {
+ var args = [this];
+ args.push.apply(args, arguments);
+ interactions.push({args: args});
+
+ var stubMatcher = JsMockito.find(stubMatchers, function(stubMatcher) {
+ return JsMockito.matchArray(stubMatcher[0], args);
+ });
+ if (stubMatcher == undefined)
+ return delegate.apply(this, arguments);
+ var stubs = stubMatcher[1];
+ if (stubs.length == 0)
+ return undefined;
+ var stub = stubs[0];
+ if (stubs.length > 1)
+ stubs.shift();
+ return stub.apply(this, arguments);
+ };
+
+ mockFunc.prototype = delegate.prototype;
+
+ mockFunc._jsMockitoStubBuilder = function(contextMatcher) {
+ var contextMatcher = contextMatcher || JsHamcrest.Matchers.anything();
+ return matcherCaptureFunction(contextMatcher, function(matchers) {
+ var stubMatch = [matchers, []];
+ stubMatchers.unshift(stubMatch);
+ return {
+ then: function() {
+ stubMatch[1].push.apply(stubMatch[1], arguments);
+ return this;
+ },
+ thenReturn: function() {
+ return this.then.apply(this,JsMockito.map(arguments, function(value) {
+ return function() { return value };
+ }));
+ },
+ thenThrow: function(exception) {
+ return this.then.apply(this,JsMockito.map(arguments, function(value) {
+ return function() { throw value };
+ }));
+ }
+ };
+ });
+ };
+
+ mockFunc._jsMockitoVerifier = function(verifier, contextMatcher) {
+ var contextMatcher = contextMatcher || JsHamcrest.Matchers.anything();
+ return matcherCaptureFunction(contextMatcher, function(matchers) {
+ return verifier(funcName, interactions, matchers, matchers[0] != contextMatcher);
+ });
+ };
+
+ mockFunc._jsMockitoMockFunctions = function() {
+ return [ mockFunc ];
+ };
+
+ return mockFunc;
+
+ function matcherCaptureFunction(contextMatcher, handler) {
+ return JsMockito.contextCaptureFunction(contextMatcher,
+ function(context, args) {
+ var matchers = JsMockito.mapToMatchers([context].concat(args || []));
+ return handler(matchers);
+ }
+ );
+ };
+};
+JsMockito._export.push('mockFunction');
+
+
+/**
+ * Create a mockable and stubbable objects.
+ *
+ * A mock is created with the constructor for an object as an argument.
+ * Once created, the mock object will have all the same methods as the source
+ * object which, when invoked, will return undefined by default.
+ *
+ * Stub declarations may then be made for these methods to have them return
+ * useful values or perform actions when invoked.
+ *
+ *
+ * MyObject = function() {
+ * this.add = function(a, b) { return a + b }
+ * };
+ *
+ * var mockObj = JsMockito.mock(MyObject);
+ * mockObj.add(5, 4); // result is undefined
+ *
+ * JsMockito.when(mockFunc).add(1, 2).thenReturn(6);
+ * mockObj.add(1, 2); // result is 6
+ *
+ * JsMockito.verify(mockObj).add(1, greaterThan(2)); // ok
+ * JsMockito.verify(mockObj).add(1, equalTo(2)); // ok
+ * JsMockito.verify(mockObj).add(1, 4); // will throw an exception
+ *
+ *
+ * @param Obj {function} the constructor for the object to be mocked
+ * @return {object} a mock object
+ */
+JsMockito.mock = function(Obj) {
+ var delegate = {};
+ if (typeof Obj != "function") {
+ delegate = Obj;
+ Obj = function() { };
+ Obj.prototype = delegate;
+ Obj.prototype.constructor = Obj;
+ }
+ var MockObject = function() { };
+ MockObject.prototype = new Obj;
+ MockObject.prototype.constructor = MockObject;
+
+ var mockObject = new MockObject();
+ var stubBuilders = {};
+ var verifiers = {};
+
+ var contextMatcher = JsHamcrest.Matchers.sameAs(mockObject);
+
+ var addMockMethod = function(name) {
+ var delegateMethod;
+ if (delegate[name] != undefined) {
+ delegateMethod = function() {
+ var context = (this == mockObject)? delegate : this;
+ return delegate[name].apply(context, arguments);
+ };
+ }
+ mockObject[name] = JsMockito.mockFunction('obj.' + name, delegateMethod);
+ stubBuilders[name] = mockObject[name]._jsMockitoStubBuilder;
+ verifiers[name] = mockObject[name]._jsMockitoVerifier;
+ };
+
+ for (var methodName in mockObject) {
+ if (methodName != 'constructor')
+ addMockMethod(methodName);
+ }
+
+ for (var typeName in JsMockito.nativeTypes) {
+ if (mockObject instanceof JsMockito.nativeTypes[typeName].type) {
+ JsMockito.each(JsMockito.nativeTypes[typeName].methods, function(method) {
+ addMockMethod(method);
+ });
+ }
+ }
+
+ mockObject._jsMockitoStubBuilder = function() {
+ return JsMockito.mapInto(new MockObject(), stubBuilders, function(method) {
+ return method.call(this, contextMatcher);
+ });
+ };
+
+ mockObject._jsMockitoVerifier = function(verifier) {
+ return JsMockito.mapInto(new MockObject(), verifiers, function(method) {
+ return method.call(this, verifier, contextMatcher);
+ });
+ };
+
+ mockObject._jsMockitoMockFunctions = function() {
+ return JsMockito.objectValues(
+ JsMockito.mapObject(mockObject, function(func) {
+ return JsMockito.isMock(func)? func : null;
+ })
+ );
+ };
+
+ return mockObject;
+};
+JsMockito._export.push('mock');
+
+JsMockito.nativeTypes = {
+ 'Array': {
+ type: Array,
+ methods: [
+ 'concat', 'join', 'pop', 'push', 'reverse', 'shift', 'slice', 'sort',
+ 'splice', 'toString', 'unshift', 'valueOf'
+ ]
+ },
+ 'Boolean': {
+ type: Boolean,
+ methods: [
+ 'toString', 'valueOf'
+ ]
+ },
+ 'Date': {
+ type: Date,
+ methods: [
+ 'getDate', 'getDay', 'getFullYear', 'getHours', 'getMilliseconds',
+ 'getMinutes', 'getMonth', 'getSeconds', 'getTime', 'getTimezoneOffset',
+ 'getUTCDate', 'getUTCDay', 'getUTCMonth', 'getUTCFullYear',
+ 'getUTCHours', 'getUTCMinutes', 'getUTCSeconds', 'getUTCMilliseconds',
+ 'getYear', 'setDate', 'setFullYear', 'setHours', 'setMilliseconds',
+ 'setMinutes', 'setMonth', 'setSeconds', 'setTime', 'setUTCDate',
+ 'setUTCMonth', 'setUTCFullYear', 'setUTCHours', 'setUTCMinutes',
+ 'setUTCSeconds', 'setUTCMilliseconds', 'setYear', 'toDateString',
+ 'toGMTString', 'toLocaleDateString', 'toLocaleTimeString',
+ 'toLocaleString', 'toString', 'toTimeString', 'toUTCString',
+ 'valueOf'
+ ]
+ },
+ 'Number': {
+ type: Number,
+ methods: [
+ 'toExponential', 'toFixed', 'toLocaleString', 'toPrecision', 'toString',
+ 'valueOf'
+ ]
+ },
+ 'String': {
+ type: String,
+ methods: [
+ 'anchor', 'big', 'blink', 'bold', 'charAt', 'charCodeAt', 'concat',
+ 'fixed', 'fontcolor', 'fontsize', 'indexOf', 'italics',
+ 'lastIndexOf', 'link', 'match', 'replace', 'search', 'slice', 'small',
+ 'split', 'strike', 'sub', 'substr', 'substring', 'sup', 'toLowerCase',
+ 'toUpperCase', 'valueOf'
+ ]
+ },
+ 'RegExp': {
+ type: RegExp,
+ methods: [
+ 'compile', 'exec', 'test'
+ ]
+ }
+};
+
+
+/**
+ * Verifiers
+ * @namespace
+ */
+JsMockito.Verifiers = {
+ _export: ['never', 'zeroInteractions', 'noMoreInteractions', 'times', 'once'],
+
+ /**
+ * Test that a invocation never occurred. For example:
+ *
+ * verify(mock, never()).method();
+ *
+ * @see JsMockito.Verifiers.times(0)
+ */
+ never: function() {
+ return new JsMockito.Verifiers.Times(0);
+ },
+
+ /** Test that no interaction were made on the mock. For example:
+ *
+ * verify(mock, zeroInteractions());
+ *
+ * @see JsMockito.verifyZeroInteractions()
+ */
+ zeroInteractions: function() {
+ return new JsMockito.Verifiers.ZeroInteractions();
+ },
+
+ /** Test that no further interactions remain unverified on the mock. For
+ * example:
+ *
+ * verify(mock, noMoreInteractions());
+ *
+ * @see JsMockito.verifyNoMoreInteractions()
+ */
+ noMoreInteractions: function() {
+ return new JsMockito.Verifiers.NoMoreInteractions();
+ },
+
+ /**
+ * Test that an invocation occurred a specific number of times. For example:
+ *
+ * verify(mock, times(2)).method();
+ *
+ *
+ * @param wanted The number of desired invocations
+ */
+ times: function(wanted) {
+ return new JsMockito.Verifiers.Times(wanted);
+ },
+
+ /**
+ * Test that an invocation occurred exactly once. For example:
+ *
+ * verify(mock, once()).method();
+ *
+ * This is the default verifier.
+ * @see JsMockito.Verifiers.times(1)
+ */
+ once: function() {
+ return new JsMockito.Verifiers.Times(1);
+ }
+};
+
+JsMockito.Verifier = function() { this.init.apply(this, arguments) };
+JsMockito.Verifier.prototype = {
+ init: function() { },
+
+ verify: function(mock) {
+ var self = this;
+ return mock._jsMockitoVerifier(function() {
+ self.verifyInteractions.apply(self, arguments);
+ });
+ },
+
+ verifyInteractions: function(funcName, interactions, matchers, describeContext) {
+ },
+
+ updateVerifiedInteractions: function(interactions) {
+ JsMockito.each(interactions, function(interaction) {
+ interaction.verified = true;
+ });
+ },
+
+ buildDescription: function(message, funcName, matchers, describeContext) {
+ var description = new JsHamcrest.Description();
+ description.append(message + ': ' + funcName + '(');
+ JsMockito.each(matchers.slice(1), function(matcher, i) {
+ if (i > 0)
+ description.append(', ');
+ description.append('<');
+ matcher.describeTo(description);
+ description.append('>');
+ });
+ description.append(")");
+ if (describeContext) {
+ description.append(", 'this' being ");
+ matchers[0].describeTo(description);
+ }
+ return description;
+ }
+};
+
+JsMockito.verifier('Times', {
+ init: function(wanted) {
+ this.wanted = wanted;
+ },
+
+ verifyInteractions: function(funcName, allInteractions, matchers, describeContext) {
+ var interactions = JsMockito.grep(allInteractions, function(interaction) {
+ return JsMockito.matchArray(matchers, interaction.args);
+ });
+ if (interactions.length == this.wanted) {
+ this.updateVerifiedInteractions(interactions);
+ return;
+ }
+
+ var message;
+ if (interactions.length == 0) {
+ message = 'Wanted but not invoked';
+ } else if (this.wanted == 0) {
+ message = 'Never wanted but invoked';
+ } else if (this.wanted == 1) {
+ message = 'Wanted 1 invocation but got ' + interactions.length;
+ } else {
+ message = 'Wanted ' + this.wanted + ' invocations but got ' + interactions.length;
+ }
+
+ var description = this.buildDescription(message, funcName, matchers, describeContext);
+ throw description.get();
+ }
+});
+
+JsMockito.verifier('ZeroInteractions', {
+ verify: function(mock) {
+ var neverVerifier = JsMockito.Verifiers.never();
+ JsMockito.each(mock._jsMockitoMockFunctions(), function(mockFunc) {
+ neverVerifier.verify(mockFunc)();
+ });
+ }
+});
+
+JsMockito.verifier('NoMoreInteractions', {
+ verify: function(mock) {
+ var self = this;
+ JsMockito.each(mock._jsMockitoMockFunctions(), function(mockFunc) {
+ JsMockito.Verifier.prototype.verify.call(self, mockFunc)();
+ });
+ },
+
+ verifyInteractions: function(funcName, allInteractions, matchers, describeContext) {
+ var interactions = JsMockito.grep(allInteractions, function(interaction) {
+ return interaction.verified != true;
+ });
+ if (interactions.length == 0)
+ return;
+
+ var description = this.buildDescription(
+ "No interactions wanted, but " + interactions.length + " remains",
+ funcName, matchers, describeContext);
+ throw description.get();
+ }
+});
+
+
+/**
+ * Verifiers
+ * @namespace
+ */
+JsMockito.Integration = {
+ /**
+ * Import the public JsMockito API into the specified object (namespace)
+ *
+ * @param {object} target An object (namespace) that will be populated with
+ * the functions from the public JsMockito API
+ */
+ importTo: function(target) {
+ JsMockito.each(JsMockito._export, function(exported) {
+ target[exported] = JsMockito[exported];
+ });
+
+ JsMockito.each(JsMockito.Verifiers._export, function(exported) {
+ target[exported] = JsMockito.Verifiers[exported];
+ });
+ },
+
+ /**
+ * Make the public JsMockito API available in Screw.Unit
+ * @see JsMockito.Integration.importTo(Screw.Matchers)
+ */
+ screwunit: function() {
+ JsMockito.Integration.importTo(Screw.Matchers);
+ },
+
+ /**
+ * Make the public JsMockito API available to JsTestDriver
+ * @see JsMockito.Integration.importTo(window)
+ */
+ JsTestDriver: function() {
+ JsMockito.Integration.importTo(window);
+ },
+
+ /**
+ * Make the public JsMockito API available to JsUnitTest
+ * @see JsMockito.Integration.importTo(JsUnitTest.Unit.Testcase.prototype)
+ */
+ JsUnitTest: function() {
+ JsMockito.Integration.importTo(JsUnitTest.Unit.Testcase.prototype);
+ },
+
+ /**
+ * Make the public JsMockito API available to YUITest
+ * @see JsMockito.Integration.importTo(window)
+ */
+ YUITest: function() {
+ JsMockito.Integration.importTo(window);
+ },
+
+ /**
+ * Make the public JsMockito API available to QUnit
+ * @see JsMockito.Integration.importTo(window)
+ */
+ QUnit: function() {
+ JsMockito.Integration.importTo(window);
+ },
+
+ /**
+ * Make the public JsMockito API available to jsUnity
+ * @see JsMockito.Integration.importTo(jsUnity.env.defaultScope)
+ */
+ jsUnity: function() {
+ JsMockito.Integration.importTo(jsUnity.env.defaultScope);
+ },
+
+ /**
+ * Make the public JsMockito API available to jSpec
+ * @see JsMockito.Integration.importTo(jSpec.defaultContext)
+ */
+ jSpec: function() {
+ JsMockito.Integration.importTo(jSpec.defaultContext);
+ }
+};
diff --git a/docs/SymptomsCausedByVaccines/index.html b/docs/SymptomsCausedByVaccines/index.html
index 2f9f2fceaca..4daf9de4990 100644
--- a/docs/SymptomsCausedByVaccines/index.html
+++ b/docs/SymptomsCausedByVaccines/index.html
@@ -1,41 +1,40 @@
-
-
-
-
-
-
- Safety Signal
-
-
-
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+
+
+
+
+
+
+
+
+
-
-
-
-
-
-
-
-
-
-
-
-
-
Safety Signal
-
-
- ×
-
+
+
+
+
+
+
+
+
+
+
+
+
Safety Signal
+
+
+×
+
Many traditional vaccines are now being switched to mRNA versions. mRNA vaccines such as COVID-19
vaccine generate strong safety signals and are associated with clotting, heart damage, cancer
progression, immune suppression and significant excess mortality.
-
-
-
-
-
-
-
-
-
- Select Symptom:
-
- Select Symptom
- 11-beta-hydroxylase deficiency
- 17-hydroxyprogesterone
- 17-hydroxyprogesterone increased
- 5'nucleotidase
- 5'nucleotidase increased
- 5-alpha reductase inhibition therapy
- 5-hydroxyindolacetic acid
- 5-hydroxyindolacetic acid in urine
- 5-hydroxyindolacetic acid in urine
- decreased
- 5q minus syndrome
- ABO incompatibility
- ACTH stimulation test
- ACTH stimulation test abnormal
- ACTH stimulation test normal
- ADAMTS13 activity abnormal
- ADAMTS13 activity assay
- ADAMTS13 activity decreased
- ADAMTS13 activity increased
- ADAMTS13 activity normal
- ADAMTS13 inhibitor screen assay
- AIDS encephalopathy
- ALK gene rearrangement assay
- ALK gene rearrangement positive
- APACHE II score
- ASAH1 related disorder
- ASIA syndrome
- AST to platelet ratio index increased
-
- AST/ALT ratio
- AST/ALT ratio abnormal
- ASXL1 gene mutation
- Abasia
- Abdomen crushing
- Abdomen scan
- Abdomen scan normal
- Abdominal X-ray
- Abdominal abscess
- Abdominal adhesions
- Abdominal cavity drainage
- Abdominal compartment syndrome
- Abdominal discomfort
- Abdominal distension
- Abdominal exploration
- Abdominal fat apron
- Abdominal hernia
- Abdominal hernia obstructive
- Abdominal hernia repair
- Abdominal infection
- Abdominal injury
- Abdominal lymphadenopathy
- Abdominal mass
- Abdominal migraine
- Abdominal neoplasm
- Abdominal operation
- Abdominal pain
- Abdominal pain lower
- Abdominal pain upper
- Abdominal rebound tenderness
- Abdominal rigidity
- Abdominal sepsis
- Abdominal symptom
- Abdominal tenderness
- Abdominal wall abscess
- Abdominal wall cyst
- Abdominal wall disorder
- Abdominal wall haematoma
- Abdominal wall haemorrhage
- Abdominal wall mass
- Abdominal wall neoplasm malignant
- Abdominal wall oedema
- Abdominal wall operation
- Abdominal wall wound
- Abdominal wound dehiscence
- Abdominoplasty
- Aberrant aortic arch
- Aberrant motor behaviour
- Abiotrophia defectiva endocarditis
- Abnormal DNA methylation
- Abnormal behaviour
- Abnormal clotting factor
- Abnormal cord insertion
- Abnormal dreams
- Abnormal faeces
- Abnormal involuntary movement scale
- Abnormal labour
- Abnormal labour affecting foetus
- Abnormal loss of weight
- Abnormal menstrual clots
- Abnormal organ growth
- Abnormal palmar/plantar creases
- Abnormal precordial movement
- Abnormal product of conception
- Abnormal sensation in eye
- Abnormal sleep-related event
- Abnormal uterine bleeding
- Abnormal weight gain
- Abnormal withdrawal bleeding
- Aborted pregnancy
- Abortion
- Abortion complete
- Abortion complicated
- Abortion early
- Abortion incomplete
- Abortion induced
- Abortion induced complete
- Abortion induced incomplete
- Abortion infected
- Abortion late
- Abortion missed
- Abortion of ectopic pregnancy
- Abortion spontaneous
- Abortion spontaneous complete
- Abortion spontaneous complicated
- Abortion spontaneous incomplete
- Abortion threatened
- Abscess
- Abscess bacterial
- Abscess drainage
- Abscess fungal
- Abscess intestinal
- Abscess jaw
- Abscess limb
- Abscess management
- Abscess neck
- Abscess of external auditory meatus
- Abscess of eyelid
- Abscess of salivary gland
- Abscess oral
- Abscess rupture
- Abscess soft tissue
- Abscess sterile
- Abscess sweat gland
- Absence of immediate treatment response
-
- Abstains from alcohol
- Abstains from recreational drugs
- Abulia
- Acalculia
- Acanthamoeba keratitis
- Acantholysis
- Acanthoma
- Acanthosis
- Acanthosis nigricans
- Acardia
- Acariasis
- Acarodermatitis
- Accelerated hypertension
- Accelerated idioventricular rhythm
- Acceleromyography
- Accessory cardiac pathway
- Accessory muscle
- Accessory nerve disorder
- Accessory spleen
- Accident
- Accident at home
- Accident at work
- Accidental death
- Accidental exposure
- Accidental exposure to product
- Accidental exposure to product by child
-
- Accidental exposure to product packaging
-
- Accidental needle stick
- Accidental overdose
- Accidental poisoning
- Accidental underdose
- Accommodation disorder
- Acetabulum fracture
- Acetonaemia
- Acetonaemic vomiting
- Acetylcholinesterase deficiency
- Achenbach syndrome
- Achlorhydria
- Achromobacter infection
- Achromotrichia acquired
- Acid base balance
- Acid base balance abnormal
- Acid base balance normal
- Acid fast bacilli infection
- Acid fast stain negative
- Acid fast stain positive
- Acid haemolysin test
- Acid haemolysin test negative
- Acid hemolysin test
- Acid peptic disease
- Acid-base balance disorder mixed
- Acidosis
- Acidosis hyperchloraemic
- Acinetobacter bacteraemia
- Acinetobacter infection
- Acinetobacter sepsis
- Acinetobacter test
- Acinetobacter test positive
- Acinic cell carcinoma of salivary gland
-
- Acne
- Acne conglobata
- Acne cystic
- Acne fulminans
- Acne infantile
- Acne pustular
- Acne varioliformis
- Acoustic neuritis
- Acoustic neuroma
- Acoustic shock
- Acoustic stimulation tests
- Acoustic stimulation tests abnormal
- Acoustic stimulation tests normal
- Acquired C1 inhibitor deficiency
- Acquired Von Willebrand's disease
- Acquired amegakaryocytic
- thrombocytopenia
- Acquired antithrombin III deficiency
- Acquired blaschkoid dermatitis
- Acquired cardiac septal defect
- Acquired claw toe
- Acquired diaphragmatic eventration
- Acquired dysfibrinogenaemia
- Acquired epidermolysis bullosa
- Acquired epileptic aphasia
- Acquired factor IX deficiency
- Acquired factor VIII deficiency
- Acquired factor XI deficiency
- Acquired gene mutation
- Acquired haemophilia
- Acquired immunodeficiency syndrome
- Acquired macroglossia
- Acquired oesophageal web
- Acquired phimosis
- Acquired plagiocephaly
- Acquired syringomyelia
- Acquired tracheo-oesophageal fistula
- Acral peeling skin syndrome
- Acrochordon
- Acrochordon excision
- Acrodermatitis
- Acrodermatitis chronica atrophicans
- Acrodermatitis enteropathica
- Acrodynia
- Acrophobia
- Actinic cheilitis
- Actinic elastosis
- Actinic keratosis
- Actinomyces test positive
- Actinomycosis
- Action tremor
- Activated partial thromboplastin time
-
- Activated partial thromboplastin
- time abnormal
- Activated partial thromboplastin time
- normal
- Activated partial thromboplastin
- time prolonged
- Activated partial thromboplastin time
- ratio
- Activated partial
- thromboplastin time ratio decreased
- Activated partial
- thromboplastin time ratio fluctuation
- Activated partial
- thromboplastin time ratio increased
- Activated partial
- thromboplastin time ratio normal
- Activated partial thromboplastin
- time shortened
- Activated protein C resistance
- Activated protein C resistance test
- Activated protein C resistance test
- positive
- Activation syndrome
- Activities of daily living impaired
- Acupressure
- Acupuncture
- Acute HIV infection
- Acute abdomen
- Acute aortic syndrome
- Acute aseptic arthritis
- Acute cardiac event
- Acute chest syndrome
- Acute coronary syndrome
- Acute cutaneous lupus erythematosus
- Acute disseminated encephalomyelitis
- Acute endocarditis
- Acute fatty liver of pregnancy
- Acute febrile neutrophilic dermatosis
-
- Acute flaccid myelitis
- Acute generalised exanthematous
- pustulosis
- Acute graft versus host disease
- Acute graft versus host disease in
- intestine
- Acute graft versus host disease in liver
-
- Acute graft versus host disease in skin
-
- Acute haemorrhagic conjunctivitis
- Acute haemorrhagic leukoencephalitis
- Acute haemorrhagic oedema of infancy
- Acute haemorrhagic ulcerative colitis
-
- Acute hepatic failure
- Acute hepatitis B
- Acute hepatitis C
- Acute interstitial pneumonitis
- Acute kidney injury
- Acute left ventricular failure
- Acute leukaemia
- Acute lung injury
- Acute lymphocytic leukaemia
- Acute lymphocytic leukaemia recurrent
-
- Acute macular neuroretinopathy
- Acute macular outer retinopathy
- Acute megakaryocytic leukaemia
- Acute monocytic leukaemia
- Acute motor axonal neuropathy
- Acute motor-sensory axonal neuropathy
-
- Acute myeloid leukaemia
- Acute myeloid leukaemia recurrent
- Acute myeloid leukaemia refractory
- Acute myelomonocytic leukaemia
- Acute myocardial infarction
- Acute oesophageal mucosal lesion
- Acute on chronic liver failure
- Acute phase reaction
- Acute polyneuropathy
- Acute post asthmatic amyotrophy
- Acute prerenal failure
- Acute promyelocytic leukaemia
- Acute psychosis
- Acute pulmonary oedema
- Acute respiratory distress syndrome
- Acute respiratory failure
- Acute right ventricular failure
- Acute sinusitis
- Acute stress disorder
- Acute tonsillitis
- Acute undifferentiated leukaemia
- Acute vestibular syndrome
- Acute zonal occult outer retinopathy
- Adactyly
- Adams-Stokes syndrome
- Addison's disease
- Adductor vocal cord weakness
- Adenocarcinoma
- Adenocarcinoma gastric
- Adenocarcinoma metastatic
- Adenocarcinoma of appendix
- Adenocarcinoma of colon
- Adenocarcinoma of the cervix
- Adenocarcinoma pancreas
- Adenoid cystic carcinoma
- Adenoidal disorder
- Adenoidal hypertrophy
- Adenoidectomy
- Adenoiditis
- Adenoma benign
- Adenomatous polyposis coli
- Adenomyosis
- Adenopathy syphilitic
- Adenosine deaminase
- Adenosine deaminase decreased
- Adenosine deaminase deficiency
- Adenosine deaminase increased
- Adenosine deaminase normal
- Adenotonsillectomy
- Adenoviral conjunctivitis
- Adenoviral meningitis
- Adenovirus infection
- Adenovirus reactivation
- Adenovirus test
- Adenovirus test positive
- Adhesiolysis
- Adhesion
- Adhesive tape use
- Adiposis dolorosa
- Adjusted calcium
- Adjusted calcium decreased
- Adjusted calcium increased
- Adjustment disorder
- Adjustment disorder with anxiety
- Adjustment disorder with depressed mood
-
- Adjustment disorder with
- mixed anxiety and depressed mood
- Adjustment
- disorder with mixed disturbance of emotion and conduct
- Adjuvant therapy
- Administration related reaction
- Administration site acne
- Administration site bruise
- Administration site calcification
- Administration site cellulitis
- Administration site coldness
- Administration site cyst
- Administration site discharge
- Administration site discolouration
- Administration site discomfort
- Administration site dysaesthesia
- Administration site erythema
- Administration site extravasation
- Administration site haematoma
- Administration site hyperaesthesia
- Administration site hypersensitivity
- Administration site hypoaesthesia
- Administration site indentation
- Administration site induration
- Administration site infection
- Administration site inflammation
- Administration site irritation
- Administration site joint erythema
- Administration site joint movement
- impairment
- Administration site joint pain
- Administration site laceration
- Administration site lymphadenopathy
- Administration site movement impairment
-
- Administration site necrosis
- Administration site nerve damage
- Administration site nodule
- Administration site odour
- Administration site oedema
- Administration site pain
- Administration site papule
- Administration site pruritus
- Administration site rash
- Administration site reaction
- Administration site recall reaction
- Administration site swelling
- Administration site urticaria
- Administration site vesicles
- Administration site warmth
- Administration site wound
- Adnexa uteri cyst
- Adnexa uteri mass
- Adnexa uteri pain
- Adnexal torsion
- Adoption
- Adrenal adenoma
- Adrenal atrophy
- Adrenal cortex necrosis
- Adrenal cyst
- Adrenal disorder
- Adrenal gland cancer
- Adrenal gland operation
- Adrenal haemorrhage
- Adrenal insufficiency
- Adrenal mass
- Adrenal medulla hyperfunction
- Adrenal neoplasm
- Adrenal suppression
- Adrenalectomy
- Adrenalitis
- Adrenergic syndrome
- Adrenocortical insufficiency acute
- Adrenocortical insufficiency chronic
- Adrenocortical steroid therapy
- Adrenocorticotropic hormone deficiency
-
- Adrenogenital syndrome
- Adrenoleukodystrophy
- Adrenomegaly
- Adult T-cell lymphoma/leukaemia
- Adult failure to thrive
- Adulterated product
- Advanced sleep phase
- Adverse drug reaction
- Adverse event
- Adverse event following immunisation
- Adverse food reaction
- Adverse reaction
- Aerococcus urinae infection
- Aeromonas infection
- Aeromonas test positive
- Aerophagia
- Aerophobia
- Affect lability
- Affective ambivalence
- Affective disorder
- African trypanosomiasis
- Afterbirth pain
- Age-related macular degeneration
- Aged parent
- Ageusia
- Agglutination test
- Aggression
- Agitated depression
- Agitation
- Agitation neonatal
- Agnosia
- Agonal death struggle
- Agonal respiration
- Agonal rhythm
- Agoraphobia
- Agranulocytosis
- Agraphia
- Aicardi's syndrome
- Air embolism
- Airway burns
- Airway complication of anaesthesia
- Airway patency device insertion
- Airway peak pressure
- Airway peak pressure increased
- Airway secretion clearance therapy
- Akathisia
- Akinaesthesia
- Akinesia
- Alagille syndrome
- Alanine aminotransferase
- Alanine aminotransferase abnormal
- Alanine aminotransferase decreased
- Alanine aminotransferase increased
- Alanine aminotransferase normal
- Albumin CSF
- Albumin CSF abnormal
- Albumin CSF decreased
- Albumin CSF increased
- Albumin CSF normal
- Albumin globulin ratio
- Albumin globulin ratio abnormal
- Albumin globulin ratio decreased
- Albumin globulin ratio increased
- Albumin globulin ratio normal
- Albumin urine
- Albumin urine absent
- Albumin urine present
- Albuminuria
- Alcohol abuse
- Alcohol detoxification
- Alcohol induced persisting dementia
- Alcohol interaction
- Alcohol intolerance
- Alcohol poisoning
- Alcohol problem
- Alcohol rehabilitation
- Alcohol test
- Alcohol test false positive
- Alcohol test negative
- Alcohol test positive
- Alcohol use
- Alcohol use disorder
- Alcohol withdrawal syndrome
- Alcoholic
- Alcoholic hangover
- Alcoholic ketoacidosis
- Alcoholic liver disease
- Alcoholic pancreatitis
- Alcoholic psychosis
- Alcoholic seizure
- Alcoholism
- Aldolase
- Aldolase abnormal
- Aldolase decreased
- Aldolase increased
- Aldolase normal
- Aldosterone urine
- Aldosterone urine increased
- Alexia
- Alexithymia
- Alice in wonderland syndrome
- Alien limb syndrome
- Alkalosis
- Alkalosis hypochloraemic
- Allen's test
- Allergic bronchitis
- Allergic bronchopulmonary mycosis
- Allergic colitis
- Allergic cough
- Allergic gastroenteritis
- Allergic granulomatous angiitis
- Allergic hepatitis
- Allergic oedema
- Allergic otitis media
- Allergic pharyngitis
- Allergic reaction to excipient
- Allergic respiratory disease
- Allergic respiratory symptom
- Allergic sinusitis
- Allergic stomatitis
- Allergy alert test
- Allergy alert test negative
- Allergy prophylaxis
- Allergy test
- Allergy test negative
- Allergy test positive
- Allergy to animal
- Allergy to arthropod bite
- Allergy to arthropod sting
- Allergy to chemicals
- Allergy to metals
- Allergy to plants
- Allergy to surgical sutures
- Allergy to synthetic fabric
- Allergy to vaccine
- Allergy to venom
- Allodynia
- Allogenic bone marrow
- transplantation therapy
- Allogenic stem cell transplantation
- Alloimmune hepatitis
- Alopecia
- Alopecia areata
- Alopecia effluvium
- Alopecia scarring
- Alopecia totalis
- Alopecia universalis
- Alpha 1 foetoprotein
- Alpha 1 foetoprotein abnormal
- Alpha 1 foetoprotein amniotic fluid
- Alpha 1 foetoprotein amniotic fluid
- increased
- Alpha 1 foetoprotein amniotic fluid
- normal
- Alpha 1 foetoprotein decreased
- Alpha 1 foetoprotein increased
- Alpha 1 foetoprotein normal
- Alpha 1 globulin
- Alpha 1 globulin abnormal
- Alpha 1 globulin decreased
- Alpha 1 globulin increased
- Alpha 1 globulin normal
- Alpha 1 microglobulin
- Alpha 1 microglobulin increased
- Alpha 1 microglobulin urine
- Alpha 1 microglobulin urine increased
-
- Alpha 2 globulin
- Alpha 2 globulin abnormal
- Alpha 2 globulin decreased
- Alpha 2 globulin increased
- Alpha 2 globulin normal
- Alpha globulin decreased
- Alpha globulin increased
- Alpha haemolytic streptococcal infection
-
- Alpha hydroxybutyrate dehydrogenase
- Alpha hydroxybutyrate dehydrogenase
- increased
- Alpha tumour necrosis factor
- Alpha tumour necrosis factor increased
-
- Alpha-1 acid glycoprotein abnormal
- Alpha-1 acid glycoprotein increased
- Alpha-1 acid glycoprotein normal
- Alpha-1 anti-trypsin
- Alpha-1 anti-trypsin decreased
- Alpha-1 anti-trypsin deficiency
- Alpha-1 anti-trypsin increased
- Alpha-1 anti-trypsin normal
- Alpha-1 antitrypsin deficiency
- Alpha-2 macroglobulin
- Alpha-2 macroglobulin increased
- Alphavirus test
- Alport's syndrome
- Altered pitch perception
- Altered state of consciousness
- Altered visual depth perception
- Alternaria infection
- Aluminium overload
- Alveolar lung disease
- Alveolar osteitis
- Alveolar oxygen partial pressure
- Alveolar proteinosis
- Alveolar rhabdomyosarcoma
- Alveolar-arterial oxygen gradient
- Alveolitis
- Alveolitis allergic
- Alveolitis fibrosing
- Amaurosis
- Amaurosis fugax
- Amaurotic familial idiocy
- Ambidexterity
- Amblyopia
- Amblyopia strabismic
- Amegakaryocytic thrombocytopenia
- Amenorrhoea
- American
- Society of Anesthesiologists physical status classification
- American trypanosomiasis
- Amimia
- Amino acid level
- Amino acid level abnormal
- Amino acid level decreased
- Amino acid level increased
- Amino acid level normal
- Aminopyrine breathing test
- Ammonia
- Ammonia abnormal
- Ammonia decreased
- Ammonia increased
- Ammonia normal
- Amnesia
- Amnestic disorder
- Amniocentesis
- Amniocentesis abnormal
- Amniocentesis normal
- Amniorrhexis
- Amniorrhoea
- Amniotic band syndrome
- Amniotic cavity disorder
- Amniotic cavity infection
- Amniotic fluid index
- Amniotic fluid index abnormal
- Amniotic fluid index decreased
- Amniotic fluid index increased
- Amniotic fluid index normal
- Amniotic fluid volume
- Amniotic fluid volume decreased
- Amniotic fluid volume increased
- Amniotic membrane rupture test
- Amniotic membrane rupture test negative
-
- Amniotic membrane rupture test positive
-
- Amoeba test
- Amoeba test negative
- Amoeba test positive
- Amoebiasis
- Amoebic dysentery
- Amoebic serology positive
- Amphetamines
- Amphetamines negative
- Amphetamines positive
- Amplified musculoskeletal pain syndrome
-
- Amputation
- Amputation stump pain
- Amylase
- Amylase decreased
- Amylase increased
- Amylase normal
- Amyloid related imaging abnormalities
-
-
- Amyloid related imaging abnormality-microhaemorrhages and haemosiderin deposits
- Amyloid related imaging
- abnormality-oedema/effusion
- Amyloidosis
- Amyloidosis senile
- Amyotrophic lateral sclerosis
- Amyotrophic lateral sclerosis gene
- carrier
- Amyotrophy
- Anaemia
- Anaemia folate deficiency
- Anaemia haemolytic autoimmune
- Anaemia macrocytic
- Anaemia megaloblastic
- Anaemia neonatal
- Anaemia of chronic disease
- Anaemia of malignant disease
- Anaemia of pregnancy
- Anaemia postoperative
- Anaemia splenic
- Anaemia vitamin B12 deficiency
- Anaemic hypoxia
- Anaesthesia
- Anaesthesia dolorosa
- Anaesthesia oral
- Anaesthetic complication
- Anaesthetic complication neurological
-
- Anal abscess
- Anal atresia
- Anal blister
- Anal cancer
- Anal cancer stage 0
- Anal candidiasis
- Anal chlamydia infection
- Anal cyst
- Anal dilatation
- Anal eczema
- Anal erosion
- Anal erythema
- Anal examination
- Anal examination abnormal
- Anal fissure
- Anal fissure excision
- Anal fissure haemorrhage
- Anal fistula
- Anal fistula excision
- Anal fungal infection
- Anal gonococcal infection
- Anal haemorrhage
- Anal hypoaesthesia
- Anal incontinence
- Anal infection
- Anal inflammation
- Anal injury
- Anal pap smear
- Anal pap smear abnormal
- Anal paraesthesia
- Anal polyp
- Anal prolapse
- Anal pruritus
- Anal rash
- Anal sex
- Anal skin tags
- Anal sphincter atony
- Anal sphincter hypertonia
- Anal sphincterotomy
- Anal stenosis
- Anal ulcer
- Analgesic drug level
- Analgesic drug level above therapeutic
-
- Analgesic drug level decreased
- Analgesic drug level increased
- Analgesic drug level therapeutic
- Analgesic effect
- Analgesic intervention supportive
- therapy
- Analgesic therapy
- Anamnestic reaction
- Anaphylactic reaction
- Anaphylactic shock
- Anaphylactic transfusion reaction
- Anaphylactoid reaction
- Anaphylactoid shock
- Anaphylactoid syndrome of pregnancy
- Anaphylaxis prophylaxis
- Anaphylaxis treatment
- Anaplastic astrocytoma
- Anaplastic large cell
- lymphoma T- and null-cell types
- Anaplastic large-cell lymphoma
- Anaplastic lymphoma kinase gene mutation
-
- Anaplastic lymphoma receptor
- tyrosine kinase assay
- Anaplastic thyroid cancer
- Anastomotic complication
- Anastomotic leak
- Anastomotic ulcer
- Anastomotic ulcer perforation
- Androgen deficiency
- Androgenetic alopecia
- Androgens
- Androgens abnormal
- Androgens increased
- Androgens normal
- Anembryonic gestation
- Anencephaly
- Anetoderma
- Aneurysm
- Aneurysm arteriovenous
- Aneurysm repair
- Aneurysm ruptured
- Aneurysm thrombosis
- Aneurysmal bone cyst
- Angelman's syndrome
- Anger
- Angina bullosa haemorrhagica
- Angina pectoris
- Angina unstable
- Anginal equivalent
- Angiocardiogram
- Angiocentric lymphoma
- Angiodermatitis
- Angiodysplasia
- Angioedema
- Angiofibroma
- Angiogenesis biomarker
- Angiogram
- Angiogram abnormal
- Angiogram cerebral
- Angiogram cerebral abnormal
- Angiogram cerebral normal
- Angiogram normal
- Angiogram peripheral
- Angiogram peripheral abnormal
- Angiogram peripheral normal
- Angiogram pulmonary
- Angiogram pulmonary abnormal
- Angiogram pulmonary normal
- Angiogram retina
- Angiogram retina abnormal
- Angiogram retina normal
- Angioimmunoblastic T-cell lymphoma
- Angioimmunoblastic T-cell lymphoma
- recurrent
- Angioimmunoblastic T-cell lymphoma
- stage III
- Angiokeratoma
- Angiolipoma
- Angiomyolipoma
- Angioneurotic oedema
- Angiopathy
- Angioplasty
- Angiosarcoma
- Angioscopy
- Angiotensin I
- Angiotensin I normal
- Angiotensin II
- Angiotensin II abnormal
- Angiotensin II decreased
- Angiotensin II receptor type 1
- antibody positive
- Angiotensin converting enzyme
- Angiotensin converting enzyme abnormal
-
- Angiotensin converting enzyme decreased
-
- Angiotensin converting enzyme increased
-
- Angiotensin converting enzyme normal
- Angle closure glaucoma
- Angular cheilitis
- Anhedonia
- Anhidrosis
- Animal attack
- Animal bite
- Animal scratch
- Animal-assisted therapy
- Anion gap
- Anion gap abnormal
- Anion gap decreased
- Anion gap increased
- Anion gap normal
- Anisakiasis
- Anisocoria
- Anisocytosis
- Anisomastia
- Anisometropia
- Ankle brachial index
- Ankle brachial index abnormal
- Ankle brachial index normal
- Ankle deformity
- Ankle fracture
- Ankle operation
- Ankyloglossia acquired
- Ankyloglossia congenital
- Ankylosing spondylitis
- Annular elastolytic giant cell granuloma
-
- Annuloplasty
- Anodontia
- Anogenital dysplasia
- Anogenital lichen planus
- Anogenital warts
- Anomalous atrioventricular excitation
-
- Anomalous pulmonary venous connection
-
- Anomaly of external ear congenital
- Anophthalmos
- Anorectal discomfort
- Anorectal disorder
- Anorectal infection
- Anorectal manometry
- Anorectal operation
- Anorectal swelling
- Anorectal ulcer
- Anorectal varices
- Anorexia
- Anorexia nervosa
- Anorgasmia
- Anosmia
- Anosognosia
- Anotia
- Anovulatory cycle
- Anoxia
- Anoxic encephalopathy
- Antacid therapy
- Antepartum haemorrhage
- Anterior capsule contraction
- Anterior chamber cell
- Anterior chamber disorder
- Anterior chamber fibrin
- Anterior chamber flare
- Anterior chamber inflammation
- Anterior chamber opacity
- Anterior cord syndrome
- Anterior interosseous syndrome
- Anterior segment ischaemia
- Anterior spinal artery syndrome
- Anterograde amnesia
- Anti A antibody
- Anti B antibody
- Anti B antibody positive
- Anti factor IX antibody
- Anti factor IX antibody increased
- Anti factor V antibody
- Anti factor V antibody positive
- Anti factor VIII antibody increased
- Anti factor VIII antibody negative
- Anti factor VIII antibody positive
- Anti factor VIII antibody test
- Anti factor X activity
- Anti factor X activity increased
- Anti factor X antibody
- Anti factor XI antibody positive
- Anti factor Xa activity decreased
- Anti factor Xa assay
- Anti factor Xa assay normal
- Anti-GAD antibody
- Anti-GAD antibody negative
- Anti-GAD antibody positive
- Anti-HBc IgM antibody positive
- Anti-HBc antibody negative
- Anti-HBc antibody positive
- Anti-HBe antibody negative
- Anti-HBe antibody positive
- Anti-HBs antibody
- Anti-HBs antibody negative
- Anti-HBs antibody positive
- Anti-HLA antibody test
- Anti-HLA antibody test positive
- Anti-IA2 antibody
- Anti-IA2 antibody negative
- Anti-IA2 antibody positive
- Anti-JC virus antibody index
- Anti-Muellerian hormone level
- Anti-Muellerian hormone level decreased
-
- Anti-Muellerian hormone level normal
- Anti-NMDA antibody
- Anti-NMDA antibody negative
- Anti-NMDA antibody positive
- Anti-RNA polymerase III antibody
- Anti-RNA polymerase III antibody
- negative
- Anti-RNA polymerase III antibody
- positive
- Anti-SRP antibody positive
- Anti-SS-A antibody
- Anti-SS-A antibody negative
- Anti-SS-A antibody positive
- Anti-SS-B antibody
- Anti-SS-B antibody negative
- Anti-SS-B antibody positive
- Anti-VGCC antibody
- Anti-VGCC antibody negative
- Anti-VGCC antibody positive
- Anti-VGKC antibody
- Anti-VGKC antibody negative
- Anti-VGKC antibody positive
- Anti-actin antibody
- Anti-actin antibody positive
- Anti-aquaporin-4 antibody
- Anti-aquaporin-4 antibody negative
- Anti-aquaporin-4 antibody positive
- Anti-complement antibody
- Anti-cyclic citrullinated peptide
- antibody
- Anti-cyclic citrullinated
- peptide antibody negative
- Anti-cyclic citrullinated
- peptide antibody positive
- Anti-epithelial antibody
- Anti-erythrocyte antibody
- Anti-erythrocyte antibody positive
- Anti-erythropoietin antibody
- Anti-erythropoietin antibody positive
-
- Anti-ganglioside antibody
- Anti-ganglioside antibody negative
- Anti-ganglioside antibody positive
- Anti-glomerular basement membrane
- antibody
- Anti-glomerular basement
- membrane antibody negative
- Anti-glomerular basement
- membrane antibody positive
- Anti-glomerular basement membrane
- disease
- Anti-glycyl-tRNA synthetase antibody
- Anti-glycyl-tRNA synthetase antibody
- negative
- Anti-glycyl-tRNA synthetase antibody
- positive
- Anti-insulin antibody
- Anti-insulin antibody increased
- Anti-insulin antibody positive
- Anti-interferon antibody
- Anti-islet cell antibody
- Anti-islet cell antibody negative
- Anti-islet cell antibody positive
- Anti-melanoma
- differentiation-associated protein 5 antibody positive
- Anti-muscle specific kinase antibody
- Anti-muscle specific kinase antibody
- negative
- Anti-muscle specific kinase antibody
- positive
- Anti-myelin-associated
- glycoprotein antibodies positive
-
- Anti-myelin-associated glycoprotein associated polyneuropathy
- Anti-neuronal antibody
- Anti-neuronal antibody negative
- Anti-neuronal antibody positive
- Anti-neutrophil
- cytoplasmic antibody positive vasculitis
- Anti-platelet antibody
- Anti-platelet antibody negative
- Anti-platelet antibody positive
- Anti-platelet factor 4 antibody negative
-
- Anti-platelet factor 4 antibody positive
-
- Anti-platelet factor 4 antibody test
- Anti-polyethylene glycol antibody absent
-
- Anti-polyethylene glycol antibody
- present
- Anti-prothrombin antibody positive
- Anti-saccharomyces cerevisiae antibody
-
- Anti-saccharomyces cerevisiae
- antibody test positive
- Anti-soluble liver
- antigen/liver pancreas antibody
- Anti-thrombin antibody
- Anti-thyroid antibody
- Anti-thyroid antibody decreased
- Anti-thyroid antibody increased
- Anti-thyroid antibody negative
- Anti-thyroid antibody positive
- Anti-titin antibody
- Anti-transglutaminase antibody
- Anti-transglutaminase antibody increased
-
- Anti-transglutaminase antibody negative
-
- Anti-vimentin antibody positive
- Anti-zinc transporter 8 antibody
- Anti-zinc transporter 8 antibody
- positive
- Antiacetylcholine receptor antibody
- Antiacetylcholine receptor antibody
- positive
- Antiallergic therapy
- Antiangiogenic therapy
- Antibiotic level
- Antibiotic prophylaxis
- Antibiotic resistant Staphylococcus test
-
- Antibiotic resistant
- Staphylococcus test negative
- Antibiotic resistant
- Staphylococcus test positive
- Antibiotic therapy
- Antibody test
- Antibody test abnormal
- Antibody test negative
- Antibody test normal
- Antibody test positive
- Anticholinergic syndrome
- Anticipatory anxiety
- Anticoagulant therapy
- Anticoagulation drug level
- Anticoagulation drug level above
- therapeutic
- Anticoagulation drug level below
- therapeutic
- Anticoagulation drug level increased
- Anticoagulation drug level normal
- Anticoagulation drug level therapeutic
-
- Anticonvulsant drug level
- Anticonvulsant drug level abnormal
- Anticonvulsant drug level below
- therapeutic
- Anticonvulsant drug level decreased
- Anticonvulsant drug level increased
- Anticonvulsant drug level therapeutic
-
- Antidepressant drug level
- Antidiarrhoeal supportive care
- Antidiuretic hormone abnormality
- Antiemetic supportive care
- Antiendomysial antibody positive
- Antiendomysial antibody test
- Antifungal treatment
- Antigliadin antibody
- Antigliadin antibody positive
- Antigonadotrophins present
- Antiinflammatory therapy
- Antimicrobial susceptibility test
- Antimicrobial susceptibility test
- resistant
- Antimicrobial susceptibility test
- sensitive
- Antimitochondrial antibody
- Antimitochondrial antibody normal
- Antimitochondrial antibody positive
- Antimyocardial antibody
- Antimyocardial antibody positive
- Antineutrophil cytoplasmic antibody
- Antineutrophil cytoplasmic antibody
- decreased
- Antineutrophil cytoplasmic antibody
- increased
- Antineutrophil cytoplasmic antibody
- negative
- Antineutrophil cytoplasmic antibody
- positive
- Antinuclear antibody
- Antinuclear antibody increased
- Antinuclear antibody negative
- Antinuclear antibody positive
- Antioestrogen therapy
- Antioxidant capacity test
- Antiphospholipid antibodies
- Antiphospholipid antibodies negative
- Antiphospholipid antibodies positive
- Antiphospholipid syndrome
- Antiplatelet therapy
- Antipsychotic drug level
- Antipsychotic drug level above
- therapeutic
- Antipsychotic drug level below
- therapeutic
- Antipsychotic drug level increased
- Antipsychotic therapy
- Antiretroviral therapy
- Antiribosomal P antibody
- Antiribosomal P antibody positive
- Antisocial behaviour
- Antisocial personality disorder
- Antisynthetase syndrome
- Antithrombin III
- Antithrombin III abnormal
- Antithrombin III decreased
- Antithrombin III deficiency
- Antithrombin III increased
- Antiviral prophylaxis
- Antiviral treatment
- Antral follicle count
- Antral follicle count low
- Anuria
- Anxiety
- Anxiety disorder
- Anxiety disorder due to a
- general medical condition
- Aorta hypoplasia
- Aortic aneurysm
- Aortic aneurysm repair
- Aortic aneurysm rupture
- Aortic arteriosclerosis
- Aortic bruit
- Aortic bypass
- Aortic dilatation
- Aortic disorder
- Aortic dissection
- Aortic dissection rupture
- Aortic elongation
- Aortic embolus
- Aortic injury
- Aortic intramural haematoma
- Aortic occlusion
- Aortic perforation
- Aortic root compression
- Aortic root enlargement procedure
- Aortic rupture
- Aortic stenosis
- Aortic stent insertion
- Aortic surgery
- Aortic thrombosis
- Aortic valve calcification
- Aortic valve disease
- Aortic valve disease mixed
- Aortic valve incompetence
- Aortic valve repair
- Aortic valve replacement
- Aortic valve sclerosis
- Aortic valve stenosis
- Aortic valve thickening
- Aortic wall hypertrophy
- Aorticopulmonary septal defect
- Aortitis
- Aortogram
- Aortogram abnormal
- Apallic syndrome
- Apathy
- Apgar score
- Apgar score abnormal
- Apgar score low
- Apgar score normal
- Aphagia
- Aphakia
- Aphasia
- Apheresis
- Aphonia
- Aphthous stomatitis
- Aphthous ulcer
- Aphthovirus test positive
- Apical granuloma
- Aplasia
- Aplasia cutis congenita
- Aplasia pure red cell
- Aplastic anaemia
- Apnoea
- Apnoea neonatal
- Apnoea test
- Apnoea test abnormal
- Apnoeic attack
- Apolipoprotein
- Apolipoprotein A-I
- Apolipoprotein A-I decreased
- Apolipoprotein A-I normal
- Apolipoprotein B
- Apolipoprotein B increased
- Apolipoprotein E
- Apolipoprotein E abnormal
- Apolipoprotein E gene status assay
- Apoptosis
- Apparent death
- Apparent life threatening event
- Appendiceal abscess
- Appendicectomy
- Appendicitis
- Appendicitis noninfective
- Appendicitis perforated
- Appendicolith
- Appendix cancer
- Appendix disorder
- Appetite disorder
- Application site abscess
- Application site acne
- Application site anaesthesia
- Application site bruise
- Application site burn
- Application site cellulitis
- Application site cold feeling
- Application site coldness
- Application site discolouration
- Application site discomfort
- Application site dysaesthesia
- Application site erythema
- Application site exfoliation
- Application site haematoma
- Application site haemorrhage
- Application site hyperaesthesia
- Application site hypersensitivity
- Application site hypoaesthesia
- Application site induration
- Application site infection
- Application site inflammation
- Application site irritation
- Application site joint erythema
- Application site joint movement
- impairment
- Application site joint pain
- Application site joint swelling
- Application site laceration
- Application site lymphadenopathy
- Application site movement impairment
- Application site necrosis
- Application site nerve damage
- Application site nodule
- Application site odour
- Application site oedema
- Application site pain
- Application site papules
- Application site paraesthesia
- Application site plaque
- Application site pruritus
- Application site pustules
- Application site rash
- Application site reaction
- Application site scab
- Application site swelling
- Application site thrombosis
- Application site vasculitis
- Application site vesicles
- Application site warmth
- Application site wound
- Apraxia
- Aptyalism
- Aqueductal stenosis
- Arachnodactyly
- Arachnoid cyst
- Arachnoid web
- Arachnoiditis
- Arboviral infection
- Areflexia
- Argininosuccinate synthetase deficiency
-
- Argon plasma coagulation
- Arm amputation
- Arnold-Chiari malformation
- Arrested labour
- Arrhythmia
- Arrhythmia neonatal
- Arrhythmia supraventricular
- Arrhythmic storm
- Arrhythmogenic right ventricular
- dysplasia
- Arterial aneurysm repair
- Arterial angioplasty
- Arterial bruit
- Arterial bypass operation
- Arterial catheterisation
- Arterial catheterisation abnormal
- Arterial catheterisation normal
- Arterial compression therapy
- Arterial disorder
- Arterial fibrosis
- Arterial flow velocity decreased
- Arterial graft
- Arterial haemorrhage
- Arterial injury
- Arterial insufficiency
- Arterial intramural haematoma
- Arterial ligation
- Arterial occlusive disease
- Arterial puncture
- Arterial recanalisation procedure
- Arterial repair
- Arterial revascularisation
- Arterial rupture
- Arterial segmental pressure test
- Arterial spasm
- Arterial stenosis
- Arterial stent insertion
- Arterial stiffness
- Arterial therapeutic procedure
- Arterial thrombosis
- Arterial thrombosis limb
- Arterial tortuosity syndrome
- Arterial wall hypertrophy
- Arteriogram
- Arteriogram abnormal
- Arteriogram carotid
- Arteriogram carotid abnormal
- Arteriogram carotid normal
- Arteriogram coronary
- Arteriogram coronary abnormal
- Arteriogram coronary normal
- Arteriogram normal
- Arteriogram renal
- Arteriosclerosis
- Arteriosclerosis coronary artery
- Arteriosclerotic gangrene
- Arteriosclerotic retinopathy
- Arteriospasm coronary
- Arteriotomy
- Arteriovenous fistula
- Arteriovenous fistula aneurysm
- Arteriovenous fistula occlusion
- Arteriovenous fistula operation
- Arteriovenous fistula site complication
-
- Arteriovenous fistula site haemorrhage
-
- Arteriovenous fistula thrombosis
- Arteriovenous graft
- Arteriovenous graft thrombosis
- Arteriovenous malformation
- Arteritis
- Arteritis coronary
- Artery dissection
- Arthralgia
- Arthritis
- Arthritis allergic
- Arthritis bacterial
- Arthritis enteropathic
- Arthritis gonococcal
- Arthritis infective
- Arthritis reactive
- Arthritis rubella
- Arthritis viral
- Arthrodesis
- Arthrofibrosis
- Arthrogram
- Arthrogram abnormal
- Arthrogram normal
- Arthrolysis
- Arthropathy
- Arthropod bite
- Arthropod sting
- Arthropod-borne disease
- Arthroscopic surgery
- Arthroscopy
- Arthroscopy abnormal
- Arthrotomy
- Articular calcification
- Articular disc disorder
- Artificial blood vessel occlusion
- Artificial crown procedure
- Artificial heart device user
- Artificial insemination
- Artificial rupture of membranes
- Artificial skin graft
- Asbestosis
- Ascariasis
- Ascending flaccid paralysis
- Ascites
- Aseptic necrosis bone
- Asocial behaviour
- Aspartate aminotransferase
- Aspartate aminotransferase abnormal
- Aspartate aminotransferase decreased
- Aspartate aminotransferase increased
- Aspartate aminotransferase normal
- Aspartate-glutamate-transporter
- deficiency
- Asperger's disorder
- Aspergilloma
- Aspergillus infection
- Aspergillus test
- Aspergillus test negative
- Aspergillus test positive
- Aspermia
- Asphyxia
- Aspiration
- Aspiration biopsy
- Aspiration bone marrow
- Aspiration bone marrow abnormal
- Aspiration bone marrow normal
- Aspiration bronchial
- Aspiration bursa
- Aspiration bursa abnormal
- Aspiration bursa normal
- Aspiration joint
- Aspiration joint abnormal
- Aspiration joint normal
- Aspiration pleural cavity
- Aspiration pleural cavity abnormal
- Aspiration tracheal
- Aspiration tracheal abnormal
- Aspiration tracheal normal
- Aspirin-exacerbated respiratory disease
-
- Asplenia
- Assisted delivery
- Assisted reproductive technology
- Assisted suicide
- Asteatosis
- Asterixis
- Asthenia
- Asthenopia
- Asthenospermia
- Asthma
- Asthma exercise induced
- Asthma late onset
- Asthma prophylaxis
- Asthma-chronic
- obstructive pulmonary disease overlap syndrome
- Asthmatic crisis
- Astigmatism
- Astringent therapy
- Astrocytoma
- Astrocytoma malignant
- Astrovirus test
- Astrovirus test positive
- Asymmetric di-methylarginine increased
-
- Asymmetric thigh fold
- Asymptomatic COVID-19
- Asymptomatic HIV infection
- Asymptomatic bacteriuria
- Ataxia
- Ataxia assessment scale
- Ataxia telangiectasia
- Atelectasis
- Atelectasis neonatal
- Atherectomy
- Atheroembolism
- Atherosclerosis
- Atherosclerotic plaque rupture
- Athetosis
- Athletic heart syndrome
- Atonic seizures
- Atonic urinary bladder
- Atopic keratoconjunctivitis
- Atopy
- Atrial appendage closure
- Atrial appendage resection
- Atrial enlargement
- Atrial fibrillation
- Atrial flutter
- Atrial hypertrophy
- Atrial natriuretic peptide
- Atrial natriuretic peptide normal
- Atrial pressure
- Atrial pressure increased
- Atrial septal defect
- Atrial septal defect repair
- Atrial tachycardia
- Atrial thrombosis
- Atrioventricular block
- Atrioventricular block complete
- Atrioventricular block first degree
- Atrioventricular block second degree
- Atrioventricular dissociation
- Atrioventricular node dysfunction
- Atrioventricular septal defect
- Atrophic glossitis
- Atrophic thyroiditis
- Atrophic vulvovaginitis
- Atrophie blanche
- Atrophoderma of Pasini and Pierini
- Atrophy
- Atrophy of globe
- Atropine stress test
- Attention deficit hyperactivity disorder
-
- Attention deficit/hyperactivity disorder
-
- Attention-seeking behaviour
- Atypical benign partial epilepsy
- Atypical femur fracture
- Atypical haemolytic uraemic syndrome
- Atypical mycobacterial infection
- Atypical mycobacterial
- lower respiratory tract infection
- Atypical mycobacterium pericarditis
- Atypical mycobacterium test positive
- Atypical pneumonia
- Audiogram
- Audiogram abnormal
- Audiogram normal
- Auditory disorder
- Auditory nerve disorder
- Auditory neuropathy spectrum disorder
-
- Aura
- Aural polyp
- Auricular chondritis
- Auricular haematoma
- Auricular swelling
- Auscultation
- Autism
- Autism spectrum disorder
- Autoantibody negative
- Autoantibody positive
- Autoantibody test
- Autoimmune anaemia
- Autoimmune arthritis
- Autoimmune blistering disease
- Autoimmune cholangitis
- Autoimmune colitis
- Autoimmune demyelinating disease
- Autoimmune dermatitis
- Autoimmune disorder
- Autoimmune encephalopathy
- Autoimmune endocrine disorder
- Autoimmune enteropathy
- Autoimmune eye disorder
- Autoimmune haemolytic anaemia
- Autoimmune heparin-induced
- thrombocytopenia
- Autoimmune hepatitis
- Autoimmune hypothyroidism
- Autoimmune inner ear disease
- Autoimmune lung disease
- Autoimmune lymphoproliferative syndrome
-
- Autoimmune myocarditis
- Autoimmune myositis
- Autoimmune nephritis
- Autoimmune neuropathy
- Autoimmune neutropenia
- Autoimmune pancreatitis
- Autoimmune pancytopenia
- Autoimmune pericarditis
- Autoimmune retinopathy
- Autoimmune thrombocytopenia
- Autoimmune thyroid disorder
- Autoimmune thyroiditis
- Autoimmune uveitis
- Autoinflammatory disease
- Autologous bone marrow
- transplantation therapy
- Autologous haematopoietic stem cell
- transplant
- Automatic bladder
- Automatic positive airway pressure
- Automatism
- Automatism epileptic
- Autonomic dysreflexia
- Autonomic nervous system imbalance
- Autonomic neuropathy
- Autonomic seizure
- Autophobia
- Autophony
- Autopsy
- Autoscopy
- Autosomal chromosome anomaly
- Autotransfusion
- Aversion
- Avian influenza
- Avoidant personality disorder
- Avulsion fracture
- Axial spondyloarthritis
- Axillary lymphadenectomy
- Axillary mass
- Axillary nerve injury
- Axillary pain
- Axillary vein thrombosis
- Axillary web syndrome
- Axonal and demyelinating polyneuropathy
-
- Axonal neuropathy
- Azoospermia
- Azotaemia
- B precursor type acute leukaemia
- B-cell aplasia
- B-cell depletion therapy
- B-cell lymphoma
- B-cell lymphoma recurrent
- B-cell lymphoma stage II
- B-cell lymphoma stage III
- B-cell lymphoma stage IV
- B-cell small lymphocytic lymphoma
- B-cell type acute leukaemia
- B-lymphocyte count
- B-lymphocyte count abnormal
- B-lymphocyte count decreased
- B-lymphocyte count increased
- BCL-2 gene status assay
- BK polyomavirus test
- BK polyomavirus test negative
- BK polyomavirus test positive
- BK virus infection
- BRAF gene mutation
- BRCA1 gene mutation
- BRCA1 gene mutation assay
- BRCA2 gene mutation
- BRCA2 gene mutation assay
- Babesiosis
- Babinski reflex test
- Bacille Calmette-Guerin scar
- reactivation
- Bacillus bacteraemia
- Bacillus infection
- Bacillus test positive
- Back crushing
- Back disorder
- Back injury
- Back pain
- Bacteraemia
- Bacteria blood identified
- Bacteria blood test
- Bacteria stool identified
- Bacteria stool no organisms observed
- Bacteria stool test
- Bacteria urine
- Bacteria urine identified
- Bacteria urine no organism observed
- Bacterial DNA test
- Bacterial DNA test positive
- Bacterial abdominal infection
- Bacterial abscess central nervous system
-
- Bacterial antigen positive
- Bacterial colitis
- Bacterial culture
- Bacterial culture negative
- Bacterial culture positive
- Bacterial diarrhoea
- Bacterial disease carrier
- Bacterial gingivitis
- Bacterial infection
- Bacterial parotitis
- Bacterial pericarditis
- Bacterial prostatitis
- Bacterial pyelonephritis
- Bacterial rhinitis
- Bacterial sepsis
- Bacterial test
- Bacterial test negative
- Bacterial test positive
- Bacterial toxaemia
- Bacterial tracheitis
- Bacterial translocation
- Bacterial vaginosis
- Bacterial vulvovaginitis
- Bacteriuria
- Bacteroides bacteraemia
- Bacteroides test positive
- Balance disorder
- Balance test
- Balanitis
- Balanitis candida
- Balanoposthitis
- Ballismus
- Band neutrophil count
- Band neutrophil count decreased
- Band neutrophil count increased
- Band neutrophil percentage
- Band neutrophil percentage decreased
- Band neutrophil percentage increased
- Band sensation
- Bandaemia
- Bankruptcy
- Barbiturates
- Barbiturates negative
- Barbiturates positive
- Barium double contrast
- Barium double contrast abnormal
- Barium enema
- Barium enema abnormal
- Barium enema normal
- Barium meal
- Barium swallow
- Barium swallow abnormal
- Barium swallow normal
- Barotitis media
- Barotrauma
- Barre test
- Barrett's oesophagus
- Bartholin's abscess
- Bartholin's cyst
- Bartholin's cyst removal
- Bartholinitis
- Bartonella test
- Bartonella test negative
- Bartonella test positive
- Bartonellosis
- Basal cell carcinoma
- Basal ganglia haematoma
- Basal ganglia haemorrhage
- Basal ganglia infarction
- Basal ganglia stroke
- Basal ganglion degeneration
- Base excess
- Base excess abnormal
- Base excess decreased
- Base excess increased
- Base excess negative
- Base excess positive
- Basedow's disease
- Basilar artery aneurysm
- Basilar artery occlusion
- Basilar artery stenosis
- Basilar artery thrombosis
- Basilar migraine
- Basophil count
- Basophil count abnormal
- Basophil count decreased
- Basophil count increased
- Basophil count normal
- Basophil degranulation test
- Basophil percentage
- Basophil percentage decreased
- Basophil percentage increased
- Basophilia
- Basophilopenia
- Basosquamous carcinoma
- Beckwith-Wiedemann syndrome
- Bed bug infestation
- Bed rest
- Bed sharing
- Bedridden
- Behaviour disorder
- Behaviour disorder due to a
- general medical condition
- Behavioural therapy
- Behcet's syndrome
- Bell's palsy
- Bell's phenomenon
- Belligerence
- Bence Jones protein urine
- Bence Jones protein urine absent
- Bence Jones protein urine present
- Bence Jones proteinuria
- Bendopnoea
- Benign biliary neoplasm
- Benign bone neoplasm
- Benign breast lump removal
- Benign breast neoplasm
- Benign cardiac neoplasm
- Benign enlargement of the
- subarachnoid spaces
- Benign familial haematuria
- Benign familial pemphigus
- Benign fasciculation syndrome
- Benign gastrointestinal neoplasm
- Benign hepatic neoplasm
- Benign hydatidiform mole
- Benign intracranial hypertension
- Benign lung neoplasm
- Benign lymph node neoplasm
- Benign neoplasm
- Benign neoplasm of bladder
- Benign neoplasm of cervix uteri
- Benign neoplasm of choroid
- Benign neoplasm of eye
- Benign neoplasm of skin
- Benign neoplasm of spinal cord
- Benign neoplasm of testis
- Benign neoplasm of thyroid gland
- Benign ovarian tumour
- Benign prostatic hyperplasia
- Benign rolandic epilepsy
- Benign salivary gland neoplasm
- Benign soft tissue neoplasm
- Benign tumour excision
- Benign uterine neoplasm
- Benzodiazepine drug level
- Benzodiazepine drug level abnormal
- Bereavement
- Beta 2 globulin
- Beta 2 microglobulin
- Beta 2 microglobulin abnormal
- Beta 2 microglobulin increased
- Beta 2 microglobulin normal
- Beta 2 microglobulin urine
- Beta 2 microglobulin urine increased
- Beta 2 microglobulin urine normal
- Beta globulin
- Beta globulin decreased
- Beta globulin increased
- Beta globulin normal
- Beta haemolytic streptococcal infection
-
- Beta ketothiolase deficiency
- Beta-2 glycoprotein antibody
- Beta-2 glycoprotein antibody negative
-
- Beta-2 glycoprotein antibody positive
-
- Beta-N-acetyl-D-glucosaminidase
- Bezoar
- Bickerstaff's encephalitis
- Bicuspid aortic valve
- Bicytopenia
- Biernacki's sign
- Bifascicular block
- Bile acid malabsorption
- Bile culture
- Bile culture negative
- Bile culture positive
- Bile duct cancer
- Bile duct cancer stage IV
- Bile duct obstruction
- Bile duct stenosis
- Bile duct stent insertion
- Bile duct stone
- Bile output
- Bile output abnormal
- Bile output increased
- Bilevel positive airway pressure
- Biliary adenoma
- Biliary ascites
- Biliary catheter insertion
- Biliary cirrhosis
- Biliary cirrhosis primary
- Biliary colic
- Biliary cyst
- Biliary dilatation
- Biliary dyskinesia
- Biliary fistula
- Biliary neoplasm
- Biliary obstruction
- Biliary sepsis
- Biliary sphincterotomy
- Biliary tract dilation procedure
- Biliary tract disorder
- Biliary tract infection
- Bilirubin conjugated
- Bilirubin conjugated abnormal
- Bilirubin conjugated decreased
- Bilirubin conjugated increased
- Bilirubin conjugated normal
- Bilirubin excretion disorder
- Bilirubin urine
- Bilirubin urine present
- Bilirubinuria
- Binge drinking
- Binge eating
- Binocular eye movement disorder
- Biochemical pregnancy
- Biofeedback therapy
- Biomedical photography
- Biopsy
- Biopsy abdominal wall
- Biopsy abdominal wall abnormal
- Biopsy abdominal wall normal
- Biopsy adrenal gland abnormal
- Biopsy anus abnormal
- Biopsy anus normal
- Biopsy artery
- Biopsy artery abnormal
- Biopsy artery normal
- Biopsy bile duct
- Biopsy bile duct abnormal
- Biopsy bladder
- Biopsy bladder abnormal
- Biopsy bladder normal
- Biopsy blood vessel
- Biopsy blood vessel abnormal
- Biopsy blood vessel normal
- Biopsy bone
- Biopsy bone abnormal
- Biopsy bone marrow
- Biopsy bone marrow abnormal
- Biopsy bone marrow normal
- Biopsy bone normal
- Biopsy brain
- Biopsy brain abnormal
- Biopsy brain normal
- Biopsy breast
- Biopsy breast abnormal
- Biopsy breast normal
- Biopsy bronchus
- Biopsy bronchus abnormal
- Biopsy bronchus normal
- Biopsy cartilage
- Biopsy cartilage abnormal
- Biopsy cervix
- Biopsy cervix abnormal
- Biopsy cervix normal
- Biopsy chest wall
- Biopsy chest wall abnormal
- Biopsy chest wall normal
- Biopsy chorionic villous
- Biopsy chorionic villous abnormal
- Biopsy colon
- Biopsy colon abnormal
- Biopsy colon normal
- Biopsy ear
- Biopsy ear abnormal
- Biopsy endometrium
- Biopsy endometrium abnormal
- Biopsy endometrium normal
- Biopsy eyelid
- Biopsy eyelid abnormal
- Biopsy eyelid normal
- Biopsy fallopian tube
- Biopsy fallopian tube normal
- Biopsy foetal
- Biopsy foetal abnormal
- Biopsy gallbladder abnormal
- Biopsy gingival
- Biopsy heart
- Biopsy heart abnormal
- Biopsy heart normal
- Biopsy intestine
- Biopsy intestine abnormal
- Biopsy intestine normal
- Biopsy kidney
- Biopsy kidney abnormal
- Biopsy kidney normal
- Biopsy larynx
- Biopsy larynx abnormal
- Biopsy lip
- Biopsy lip abnormal
- Biopsy liver
- Biopsy liver abnormal
- Biopsy liver normal
- Biopsy lung
- Biopsy lung abnormal
- Biopsy lung normal
- Biopsy lymph gland
- Biopsy lymph gland abnormal
- Biopsy lymph gland normal
- Biopsy mucosa abnormal
- Biopsy muscle
- Biopsy muscle abnormal
- Biopsy muscle normal
- Biopsy nasopharynx
- Biopsy nasopharynx abnormal
- Biopsy oesophagus
- Biopsy oesophagus abnormal
- Biopsy oesophagus normal
- Biopsy ovary
- Biopsy ovary abnormal
- Biopsy palate
- Biopsy pancreas
- Biopsy pancreas abnormal
- Biopsy penis
- Biopsy pericardium
- Biopsy pericardium abnormal
- Biopsy peripheral nerve
- Biopsy peripheral nerve abnormal
- Biopsy peripheral nerve normal
- Biopsy peritoneum
- Biopsy pharynx
- Biopsy pharynx abnormal
- Biopsy pharynx normal
- Biopsy placenta
- Biopsy pleura
- Biopsy pleura abnormal
- Biopsy pleura normal
- Biopsy prostate
- Biopsy prostate abnormal
- Biopsy prostate normal
- Biopsy rectum
- Biopsy rectum abnormal
- Biopsy rectum normal
- Biopsy retina abnormal
- Biopsy salivary gland
- Biopsy salivary gland abnormal
- Biopsy salivary gland normal
- Biopsy sclera abnormal
- Biopsy site unspecified abnormal
- Biopsy site unspecified normal
- Biopsy skin
- Biopsy skin abnormal
- Biopsy skin normal
- Biopsy small intestine
- Biopsy small intestine abnormal
- Biopsy small intestine normal
- Biopsy soft tissue
- Biopsy spinal cord
- Biopsy spinal cord abnormal
- Biopsy spinal cord normal
- Biopsy spleen
- Biopsy spleen abnormal
- Biopsy stomach
- Biopsy stomach abnormal
- Biopsy stomach normal
- Biopsy tendon
- Biopsy tendon abnormal
- Biopsy testes
- Biopsy testes abnormal
- Biopsy thymus gland abnormal
- Biopsy thyroid gland
- Biopsy thyroid gland abnormal
- Biopsy thyroid gland normal
- Biopsy tongue
- Biopsy tongue abnormal
- Biopsy tonsil
- Biopsy trachea
- Biopsy trachea abnormal
- Biopsy urethra normal
- Biopsy uterus
- Biopsy uterus abnormal
- Biopsy uterus normal
- Biopsy vagina
- Biopsy vagina abnormal
- Biopsy vagina normal
- Biopsy vocal cord abnormal
- Biopsy vulva abnormal
- Biopsy vulva normal
- Biotin deficiency
- Biphasic mesothelioma
- Bipolar I disorder
- Bipolar II disorder
- Bipolar disorder
- Birdshot chorioretinopathy
- Birth mark
- Birth trauma
- Birth weight normal
- Bisalbuminaemia
- Bite
- Bladder cancer
- Bladder cancer recurrent
- Bladder cancer stage IV
- Bladder catheter permanent
- Bladder catheter removal
- Bladder catheter replacement
- Bladder catheter temporary
- Bladder catheterisation
- Bladder cyst
- Bladder dilatation
- Bladder discomfort
- Bladder disorder
- Bladder diverticulum
- Bladder dysfunction
- Bladder fibrosis
- Bladder hydrodistension
- Bladder hypertrophy
- Bladder injury
- Bladder instillation procedure
- Bladder irrigation
- Bladder irritation
- Bladder mass
- Bladder neck obstruction
- Bladder neck operation
- Bladder neoplasm
- Bladder neoplasm surgery
- Bladder obstruction
- Bladder operation
- Bladder outlet obstruction
- Bladder pain
- Bladder perforation
- Bladder prolapse
- Bladder scan
- Bladder spasm
- Bladder sphincter atony
- Bladder sphincterectomy
- Bladder squamous cell carcinoma
- stage unspecified
- Bladder stenosis
- Bladder tamponade
- Bladder trabeculation
- Bladder transitional cell carcinoma
- Bladder transitional cell carcinoma
- stage IV
- Bladder tumour antigen
- Bladder ulcer
- Bladder wall calcification
- Blast cell count increased
- Blast cell crisis
- Blast cell proliferation
- Blast cells
- Blast cells absent
- Blast cells present
- Blast crisis in myelogenous leukaemia
-
- Blastic plasmacytoid dendritic cell
- neoplasia
- Blastic plasmacytoid dendritric
- cell neoplasia
- Blastocystis infection
- Blastocystis test
- Blastomycosis
- Bleeding anovulatory
- Bleeding peripartum
- Bleeding time
- Bleeding time abnormal
- Bleeding time normal
- Bleeding time prolonged
- Bleeding time shortened
- Bleeding varicose vein
- Blepharal papilloma
- Blepharal pigmentation
- Blepharitis
- Blepharitis allergic
- Blepharochalasis
- Blepharospasm
- Blighted ovum
- Blindness
- Blindness congenital
- Blindness cortical
- Blindness hysterical
- Blindness transient
- Blindness traumatic
- Blindness unilateral
- Blister
- Blister infected
- Blister rupture
- Bloch-Sulzberger syndrome
- Block vertebra
- Blood 1,25-dihydroxycholecalciferol
- Blood 1,25-dihydroxycholecalciferol
- decreased
- Blood 1,25-dihydroxycholecalciferol
- increased
- Blood 25-hydroxycholecalciferol
- Blood 25-hydroxycholecalciferol
- decreased
- Blood 25-hydroxycholecalciferol
- increased
- Blood HIV RNA
- Blood HIV RNA below assay limit
- Blood HIV RNA decreased
- Blood HIV RNA increased
- Blood acid phosphatase
- Blood acid phosphatase increased
- Blood acid phosphatase normal
- Blood albumin
- Blood albumin abnormal
- Blood albumin decreased
- Blood albumin increased
- Blood albumin normal
- Blood alcohol
- Blood alcohol abnormal
- Blood alcohol increased
- Blood alcohol normal
- Blood aldosterone
- Blood aldosterone decreased
- Blood aldosterone increased
- Blood aldosterone normal
- Blood alkaline phosphatase
- Blood alkaline phosphatase abnormal
- Blood alkaline phosphatase decreased
- Blood alkaline phosphatase increased
- Blood alkaline phosphatase normal
- Blood aluminium
- Blood aluminium abnormal
- Blood aluminium increased
- Blood aluminium normal
- Blood amylase
- Blood amylase decreased
- Blood amylase increased
- Blood amylase normal
- Blood androstenedione
- Blood androstenedione increased
- Blood antidiuretic hormone
- Blood antidiuretic hormone abnormal
- Blood antidiuretic hormone increased
- Blood antidiuretic hormone normal
- Blood antimony
- Blood antimony increased
- Blood arsenic increased
- Blood arsenic normal
- Blood bactericidal activity
- Blood beryllium
- Blood beryllium increased
- Blood beta-D-glucan
- Blood beta-D-glucan abnormal
- Blood beta-D-glucan increased
- Blood beta-D-glucan negative
- Blood beta-D-glucan normal
- Blood beta-D-glucan positive
- Blood bicarbonate
- Blood bicarbonate abnormal
- Blood bicarbonate decreased
- Blood bicarbonate increased
- Blood bicarbonate normal
- Blood bilirubin
- Blood bilirubin abnormal
- Blood bilirubin decreased
- Blood bilirubin increased
- Blood bilirubin normal
- Blood bilirubin unconjugated
- Blood bilirubin unconjugated decreased
-
- Blood bilirubin unconjugated increased
-
- Blood bilirubin unconjugated normal
- Blood blister
- Blood brain barrier defect
- Blood bromide
- Blood cadmium
- Blood cadmium increased
- Blood caffeine
- Blood caffeine decreased
- Blood caffeine increased
- Blood calcitonin
- Blood calcitonin increased
- Blood calcitonin normal
- Blood calcium
- Blood calcium abnormal
- Blood calcium decreased
- Blood calcium increased
- Blood calcium normal
- Blood cannabinoids
- Blood cannabinoids decreased
- Blood cannabinoids increased
- Blood cannabinoids normal
- Blood carbon monoxide
- Blood carbon monoxide increased
- Blood carbon monoxide normal
- Blood catecholamines
- Blood catecholamines decreased
- Blood catecholamines increased
- Blood catecholamines normal
- Blood chloride
- Blood chloride abnormal
- Blood chloride decreased
- Blood chloride increased
- Blood chloride normal
- Blood cholesterol
- Blood cholesterol abnormal
- Blood cholesterol decreased
- Blood cholesterol increased
- Blood cholesterol normal
- Blood cholinesterase
- Blood cholinesterase decreased
- Blood cholinesterase increased
- Blood cholinesterase normal
- Blood chromium
- Blood chromium decreased
- Blood chromium increased
- Blood chromium normal
- Blood chromogranin A
- Blood chromogranin A increased
- Blood citric acid decreased
- Blood copper
- Blood copper decreased
- Blood copper increased
- Blood copper normal
- Blood corticosterone
- Blood corticotrophin
- Blood corticotrophin abnormal
- Blood corticotrophin decreased
- Blood corticotrophin increased
- Blood corticotrophin normal
- Blood cortisol
- Blood cortisol abnormal
- Blood cortisol decreased
- Blood cortisol increased
- Blood cortisol normal
- Blood count
- Blood count abnormal
- Blood count normal
- Blood creatine
- Blood creatine abnormal
- Blood creatine decreased
- Blood creatine increased
- Blood creatine normal
- Blood creatine phosphokinase
- Blood creatine phosphokinase BB
- Blood creatine phosphokinase MB
- Blood creatine phosphokinase MB abnormal
-
- Blood creatine phosphokinase MB
- decreased
- Blood creatine phosphokinase MB
- increased
- Blood creatine phosphokinase MB normal
-
- Blood creatine phosphokinase MM
- Blood creatine phosphokinase MM
- decreased
- Blood creatine phosphokinase MM
- increased
- Blood creatine phosphokinase MM normal
-
- Blood creatine phosphokinase abnormal
-
- Blood creatine phosphokinase decreased
-
- Blood creatine phosphokinase increased
-
- Blood creatine phosphokinase normal
- Blood creatinine
- Blood creatinine abnormal
- Blood creatinine decreased
- Blood creatinine increased
- Blood creatinine normal
- Blood culture
- Blood culture negative
- Blood culture positive
- Blood cyanide
- Blood cytokine test
- Blood disorder
- Blood donation
- Blood donor
- Blood elastase
- Blood elastase decreased
- Blood elastase increased
- Blood electrolytes
- Blood electrolytes abnormal
- Blood electrolytes decreased
- Blood electrolytes increased
- Blood electrolytes normal
- Blood erythropoietin
- Blood erythropoietin decreased
- Blood erythropoietin increased
- Blood erythropoietin normal
- Blood ethanal increased
- Blood ethanol
- Blood ethanol increased
- Blood ethanol normal
- Blood fibrinogen
- Blood fibrinogen abnormal
- Blood fibrinogen decreased
- Blood fibrinogen increased
- Blood fibrinogen normal
- Blood folate
- Blood folate abnormal
- Blood folate decreased
- Blood folate increased
- Blood folate normal
- Blood follicle stimulating hormone
- Blood follicle stimulating hormone
- abnormal
- Blood follicle stimulating hormone
- decreased
- Blood follicle stimulating hormone
- increased
- Blood follicle stimulating hormone
- normal
- Blood galactose
- Blood gases
- Blood gases abnormal
- Blood gases normal
- Blood gastrin
- Blood gastrin decreased
- Blood glucagon
- Blood glucagon decreased
- Blood glucagon increased
- Blood glucagon normal
- Blood glucose
- Blood glucose abnormal
- Blood glucose decreased
- Blood glucose fluctuation
- Blood glucose increased
- Blood glucose normal
- Blood gonadotrophin
- Blood gonadotrophin decreased
- Blood gonadotrophin increased
- Blood gonadotrophin normal
- Blood group A
- Blood group B
- Blood group O
- Blood grouping
- Blood growth hormone
- Blood growth hormone decreased
- Blood heavy metal abnormal
- Blood heavy metal increased
- Blood heavy metal normal
- Blood heavy metal test
- Blood homocysteine
- Blood homocysteine abnormal
- Blood homocysteine decreased
- Blood homocysteine increased
- Blood homocysteine normal
- Blood human chorionic gonadotropin
- Blood human chorionic gonadotropin
- abnormal
- Blood human chorionic gonadotropin
- decreased
- Blood human chorionic gonadotropin
- increased
- Blood human chorionic gonadotropin
- negative
- Blood human chorionic gonadotropin
- normal
- Blood human chorionic gonadotropin
- positive
- Blood hyposmosis
- Blood immunoglobulin A
- Blood immunoglobulin A abnormal
- Blood immunoglobulin A decreased
- Blood immunoglobulin A increased
- Blood immunoglobulin A normal
- Blood immunoglobulin D
- Blood immunoglobulin E
- Blood immunoglobulin E decreased
- Blood immunoglobulin E increased
- Blood immunoglobulin E normal
- Blood immunoglobulin G
- Blood immunoglobulin G abnormal
- Blood immunoglobulin G decreased
- Blood immunoglobulin G increased
- Blood immunoglobulin G normal
- Blood immunoglobulin M
- Blood immunoglobulin M abnormal
- Blood immunoglobulin M decreased
- Blood immunoglobulin M increased
- Blood immunoglobulin M normal
- Blood incompatibility
- haemolytic anaemia of newborn
- Blood insulin
- Blood insulin abnormal
- Blood insulin decreased
- Blood insulin increased
- Blood insulin normal
- Blood iron
- Blood iron abnormal
- Blood iron decreased
- Blood iron increased
- Blood iron normal
- Blood isotope clearance
- Blood ketone body
- Blood ketone body absent
- Blood ketone body decreased
- Blood ketone body increased
- Blood ketone body present
- Blood lactate dehydrogenase
- Blood lactate dehydrogenase abnormal
- Blood lactate dehydrogenase decreased
-
- Blood lactate dehydrogenase increased
-
- Blood lactate dehydrogenase normal
- Blood lactic acid
- Blood lactic acid abnormal
- Blood lactic acid decreased
- Blood lactic acid increased
- Blood lactic acid normal
- Blood lead
- Blood lead abnormal
- Blood lead increased
- Blood lead normal
- Blood loss anaemia
- Blood loss assessment
- Blood luteinising hormone
- Blood luteinising hormone abnormal
- Blood luteinising hormone decreased
- Blood luteinising hormone increased
- Blood luteinising hormone normal
- Blood magnesium
- Blood magnesium abnormal
- Blood magnesium decreased
- Blood magnesium increased
- Blood magnesium normal
- Blood mercury
- Blood mercury abnormal
- Blood mercury normal
- Blood methaemoglobin
- Blood methaemoglobin present
- Blood methanol
- Blood oestrogen
- Blood oestrogen abnormal
- Blood oestrogen decreased
- Blood oestrogen increased
- Blood oestrogen normal
- Blood osmolarity
- Blood osmolarity abnormal
- Blood osmolarity decreased
- Blood osmolarity increased
- Blood osmolarity normal
- Blood pH
- Blood pH abnormal
- Blood pH decreased
- Blood pH increased
- Blood pH normal
- Blood parathyroid hormone
- Blood parathyroid hormone abnormal
- Blood parathyroid hormone decreased
- Blood parathyroid hormone increased
- Blood parathyroid hormone normal
- Blood phosphorus
- Blood phosphorus abnormal
- Blood phosphorus decreased
- Blood phosphorus increased
- Blood phosphorus normal
- Blood potassium
- Blood potassium abnormal
- Blood potassium decreased
- Blood potassium increased
- Blood potassium normal
- Blood pressure
- Blood pressure abnormal
- Blood pressure ambulatory
- Blood pressure ambulatory abnormal
- Blood pressure ambulatory decreased
- Blood pressure ambulatory increased
- Blood pressure ambulatory normal
- Blood pressure decreased
- Blood pressure diastolic
- Blood pressure diastolic abnormal
- Blood pressure diastolic decreased
- Blood pressure diastolic increased
- Blood pressure difference of extremities
-
- Blood pressure fluctuation
- Blood pressure immeasurable
- Blood pressure inadequately controlled
-
- Blood pressure increased
- Blood pressure management
- Blood pressure measurement
- Blood pressure normal
- Blood pressure orthostatic
- Blood pressure orthostatic abnormal
- Blood pressure orthostatic decreased
- Blood pressure orthostatic increased
- Blood pressure orthostatic normal
- Blood pressure systolic
- Blood pressure systolic abnormal
- Blood pressure systolic decreased
- Blood pressure systolic increased
- Blood pressure systolic inspiratory
- decreased
- Blood pressure systolic normal
- Blood product transfusion
- Blood product transfusion dependent
- Blood proinsulin decreased
- Blood prolactin
- Blood prolactin abnormal
- Blood prolactin decreased
- Blood prolactin increased
- Blood prolactin normal
- Blood pyruvic acid
- Blood pyruvic acid increased
- Blood pyruvic acid normal
- Blood selenium
- Blood selenium decreased
- Blood selenium normal
- Blood smear test
- Blood smear test abnormal
- Blood smear test normal
- Blood sodium
- Blood sodium abnormal
- Blood sodium decreased
- Blood sodium increased
- Blood sodium normal
- Blood stem cell transplant failure
- Blood test
- Blood test abnormal
- Blood test normal
- Blood testosterone
- Blood testosterone abnormal
- Blood testosterone decreased
- Blood testosterone free
- Blood testosterone free increased
- Blood testosterone increased
- Blood testosterone normal
- Blood thrombin
- Blood thrombin increased
- Blood thromboplastin
- Blood thromboplastin abnormal
- Blood thromboplastin decreased
- Blood thromboplastin increased
- Blood thromboplastin normal
- Blood thyroid stimulating hormone
- Blood thyroid stimulating hormone
- abnormal
- Blood thyroid stimulating hormone
- decreased
- Blood thyroid stimulating hormone
- increased
- Blood thyroid stimulating hormone normal
-
- Blood triglycerides
- Blood triglycerides abnormal
- Blood triglycerides decreased
- Blood triglycerides increased
- Blood triglycerides normal
- Blood trypsin
- Blood urea
- Blood urea abnormal
- Blood urea decreased
- Blood urea increased
- Blood urea nitrogen/creatinine ratio
- Blood urea nitrogen/creatinine
- ratio decreased
- Blood urea nitrogen/creatinine
- ratio increased
- Blood urea normal
- Blood uric acid
- Blood uric acid abnormal
- Blood uric acid decreased
- Blood uric acid increased
- Blood uric acid normal
- Blood urine
- Blood urine absent
- Blood urine present
- Blood viscosity abnormal
- Blood viscosity decreased
- Blood viscosity increased
- Blood volume expansion
- Blood zinc
- Blood zinc abnormal
- Blood zinc decreased
- Blood zinc increased
- Blood zinc normal
- Bloody airway discharge
- Bloody discharge
- Blue toe syndrome
- Blunted affect
- Body dysmorphic disorder
- Body fat disorder
- Body fluid analysis
- Body height
- Body height abnormal
- Body height below normal
- Body height decreased
- Body height increased
- Body height normal
- Body mass index
- Body mass index abnormal
- Body mass index decreased
- Body mass index increased
- Body mass index normal
- Body surface area
- Body temperature
- Body temperature abnormal
- Body temperature decreased
- Body temperature fluctuation
- Body temperature increased
- Body temperature normal
- Body tinea
- Bone abscess
- Bone anchored hearing aid implantation
-
- Bone atrophy
- Bone cancer
- Bone cancer metastatic
- Bone contusion
- Bone cyst
- Bone debridement
- Bone decalcification
- Bone deformity
- Bone demineralisation
- Bone densitometry
- Bone density abnormal
- Bone density decreased
- Bone density increased
- Bone development abnormal
- Bone disorder
- Bone erosion
- Bone fissure
- Bone formation increased
- Bone formation test
- Bone fragmentation
- Bone giant cell tumour
- Bone giant cell tumour malignant
- Bone graft
- Bone graft removal
- Bone hypertrophy
- Bone infarction
- Bone lesion
- Bone loss
- Bone marrow depression
- Bone marrow disorder
- Bone marrow failure
- Bone marrow granuloma
- Bone marrow harvest
- Bone marrow infiltration
- Bone marrow ischaemia
- Bone marrow myelogram
- Bone marrow myelogram abnormal
- Bone marrow myelogram normal
- Bone marrow oedema
- Bone marrow oedema syndrome
- Bone marrow reticulin fibrosis
- Bone marrow transplant
- Bone marrow tumour cell infiltration
- Bone metabolism disorder
- Bone neoplasm
- Bone neoplasm malignant
- Bone operation
- Bone pain
- Bone resorption test
- Bone sarcoma
- Bone scan
- Bone scan abnormal
- Bone scan normal
- Bone swelling
- Bone tuberculosis
- Booster dose missed
- Borderline glaucoma
- Borderline ovarian tumour
- Borderline personality disorder
- Bordetella infection
- Bordetella test
- Bordetella test negative
- Bordetella test positive
- Boredom
- Borrelia burgdorferi serology
- Borrelia burgdorferi serology negative
-
- Borrelia burgdorferi serology positive
-
- Borrelia infection
- Borrelia test
- Borrelia test negative
- Borrelia test positive
- Bottle feeding
- Botulinum toxin injection
- Botulism
- Boutonneuse fever
- Bovine tuberculosis
- Bowel movement irregularity
- Bowel obstruction surgery
- Bowel preparation
- Bowel sounds abnormal
- Bowen's disease
- Brachial artery entrapment syndrome
- Brachial plexopathy
- Brachial plexus injury
- Brachial pulse
- Brachial pulse decreased
- Brachial pulse increased
- Brachial pulse normal
- Brachiocephalic artery occlusion
- Brachiocephalic artery stenosis
- Brachiocephalic vein thrombosis
- Brachioradial pruritus
- Brachydactyly
- Brachyolmia
- Brachytherapy
- Bradyarrhythmia
- Bradycardia
- Bradycardia foetal
- Bradycardia neonatal
- Bradykinesia
- Bradyphrenia
- Bradypnoea
- Brain abscess
- Brain cancer metastatic
- Brain compression
- Brain contusion
- Brain damage
- Brain death
- Brain empyema
- Brain fog
- Brain herniation
- Brain hypoxia
- Brain injury
- Brain lobectomy
- Brain malformation
- Brain mass
- Brain midline shift
- Brain natriuretic peptide
- Brain natriuretic peptide abnormal
- Brain natriuretic peptide decreased
- Brain natriuretic peptide increased
- Brain natriuretic peptide normal
- Brain neoplasm
- Brain neoplasm benign
- Brain neoplasm malignant
- Brain oedema
- Brain operation
- Brain scan abnormal
- Brain scan normal
- Brain stem auditory evoked response
- Brain stem auditory evoked response
- abnormal
- Brain stem auditory evoked response
- normal
- Brain stem embolism
- Brain stem glioma
- Brain stem haematoma
- Brain stem haemorrhage
- Brain stem infarction
- Brain stem ischaemia
- Brain stem microhaemorrhage
- Brain stem stroke
- Brain stem syndrome
- Brain stem thrombosis
- Brain stent insertion
- Brain tumour operation
- Branchial cyst
- Breakthrough COVID-19
- Breakthrough haemolysis
- Breakthrough pain
- Breast abscess
- Breast adenoma
- Breast angiosarcoma
- Breast atrophy
- Breast calcifications
- Breast cancer
- Breast cancer female
- Breast cancer in situ
- Breast cancer male
- Breast cancer metastatic
- Breast cancer recurrent
- Breast cancer stage I
- Breast cancer stage II
- Breast cancer stage III
- Breast cancer stage IV
- Breast cellulitis
- Breast conserving surgery
- Breast cyst
- Breast cyst drainage
- Breast cyst rupture
- Breast discharge
- Breast discharge infected
- Breast discolouration
- Breast discomfort
- Breast disorder
- Breast disorder female
- Breast disorder male
- Breast dysplasia
- Breast engorgement
- Breast enlargement
- Breast feeding
- Breast fibrosis
- Breast haematoma
- Breast haemorrhage
- Breast hyperplasia
- Breast implant palpable
- Breast induration
- Breast infection
- Breast inflammation
- Breast injury
- Breast malformation
- Breast mass
- Breast microcalcification
- Breast milk discolouration
- Breast milk substitute intolerance
- Breast necrosis
- Breast neoplasm
- Breast oedema
- Breast operation
- Breast pain
- Breast proliferative changes
- Breast prosthesis implantation
- Breast prosthesis removal
- Breast prosthesis user
- Breast reconstruction
- Breast sarcoma
- Breast scan
- Breast scan abnormal
- Breast swelling
- Breast tenderness
- Breast tumour excision
- Breast ulceration
- Breath alcohol test
- Breath alcohol test positive
- Breath holding
- Breath odour
- Breath sounds
- Breath sounds abnormal
- Breath sounds absent
- Breath sounds normal
- Breathing-related sleep disorder
- Breech delivery
- Breech presentation
- Brenner tumour
- Brief psychotic disorder with
- marked stressors
- Brief psychotic disorder without
- marked stressors
- Brief psychotic disorder, with
- postpartum onset
- Brief resolved unexplained event
- Broad autism phenotype
- Bromhidrosis
- Bromosulphthalein test
- Bromosulphthalein test abnormal
- Bronchial aspiration procedure
- Bronchial atresia
- Bronchial carcinoma
- Bronchial disorder
- Bronchial dysplasia
- Bronchial fistula
- Bronchial haemorrhage
- Bronchial hyperreactivity
- Bronchial injury
- Bronchial irritation
- Bronchial neoplasm
- Bronchial obstruction
- Bronchial oedema
- Bronchial secretion retention
- Bronchial wall thickening
- Bronchiectasis
- Bronchiolitis
- Bronchiolitis obliterans syndrome
- Bronchitis
- Bronchitis acute
- Bronchitis bacterial
- Bronchitis chronic
- Bronchitis pneumococcal
- Bronchitis viral
- Bronchoalveolar lavage
- Bronchoalveolar lavage abnormal
- Bronchoalveolar lavage normal
- Bronchogenic cyst
- Bronchogram
- Bronchogram abnormal
- Bronchomalacia
- Bronchopleural fistula
- Bronchopneumonia
- Bronchopneumopathy
- Bronchopulmonary aspergillosis
- Bronchopulmonary aspergillosis allergic
-
- Bronchopulmonary disease
- Bronchopulmonary dysplasia
- Bronchoscopy
- Bronchoscopy abnormal
- Bronchoscopy normal
- Bronchospasm
- Bronchostenosis
- Brow ptosis
- Brown-Sequard syndrome
- Brucella serology negative
- Brucella serology positive
- Brucella test
- Brucella test negative
- Brucella test positive
- Brucellosis
- Brudzinski's sign
- Brugada syndrome
- Bruxism
- Buccal mucosal roughening
- Buccoglossal syndrome
- Budd-Chiari syndrome
- Bulbar palsy
- Bulimia nervosa
- Bullous erysipelas
- Bullous haemorrhagic dermatosis
- Bullous impetigo
- Bundle branch block
- Bundle branch block bilateral
- Bundle branch block left
- Bundle branch block right
- Bunion
- Bunion operation
- Buried penis syndrome
- Burkholderia cepacia complex infection
-
- Burkholderia test positive
- Burkitt's lymphoma
- Burkitt's lymphoma stage I
- Burkitt's lymphoma stage IV
- Burn dressing
- Burn oesophageal
- Burn of internal organs
- Burn oral cavity
- Burning feet syndrome
- Burning mouth syndrome
- Burning sensation
- Burning sensation mucosal
- Burnout syndrome
- Burns first degree
- Burns second degree
- Burns third degree
- Bursa calcification
- Bursa disorder
- Bursa injury
- Bursa removal
- Bursal fluid accumulation
- Bursal haematoma
- Bursitis
- Bursitis infective
- Butterfly rash
- Buttock crushing
- Buttock injury
- C-kit gene mutation
- C-kit gene status assay
- C-reactive protein
- C-reactive protein abnormal
- C-reactive protein decreased
- C-reactive protein increased
- C-reactive protein normal
- C-telopeptide
- C1 esterase inhibitor decreased
- C1 esterase inhibitor test
- C1 esterase inhibitor test normal
- C1q nephropathy
- C3 glomerulopathy
- CALR gene mutation
- CD19 antigen loss
- CD19 lymphocyte count abnormal
- CD19 lymphocytes increased
- CD20 antigen positive
- CD25 antigen positive
- CD30 expression
- CD4 lymphocyte percentage decreased
- CD4 lymphocyte percentage increased
- CD4 lymphocytes
- CD4 lymphocytes abnormal
- CD4 lymphocytes decreased
- CD4 lymphocytes increased
- CD4 lymphocytes normal
- CD4/CD8 ratio
- CD4/CD8 ratio decreased
- CD4/CD8 ratio increased
- CD45 expression decreased
- CD8 lymphocyte percentage decreased
- CD8 lymphocytes
- CD8 lymphocytes abnormal
- CD8 lymphocytes decreased
- CD8 lymphocytes increased
- CDKL5 deficiency disorder
- CFTR gene mutation
- CHA2DS2-VASc annual stroke risk high
- CHA2DS2-VASc-score
- CHARGE syndrome
- CHILD syndrome
- CNS ventriculitis
- COPD assessment test
- COVID-19
- COVID-19 immunisation
- COVID-19 pneumonia
- COVID-19 screening
- COVID-19 treatment
- CREST syndrome
- CSF bacteria identified
- CSF bacteria no organisms observed
- CSF cell count
- CSF cell count abnormal
- CSF cell count decreased
- CSF cell count increased
- CSF cell count normal
- CSF chloride decreased
- CSF culture
- CSF culture negative
- CSF culture positive
- CSF electrophoresis
- CSF electrophoresis abnormal
- CSF electrophoresis normal
- CSF eosinophil count
- CSF glucose
- CSF glucose abnormal
- CSF glucose decreased
- CSF glucose increased
- CSF glucose normal
- CSF granulocyte count
- CSF granulocyte count abnormal
- CSF granulocyte count normal
- CSF immunoglobulin
- CSF immunoglobulin G index
- CSF immunoglobulin decreased
- CSF immunoglobulin increased
- CSF lactate
- CSF lactate abnormal
- CSF lactate decreased
- CSF lactate dehydrogenase
- CSF lactate dehydrogenase increased
- CSF lactate dehydrogenase normal
- CSF lactate increased
- CSF lactate normal
- CSF leukocyte/erythrocyte ratio
- CSF lymphocyte count
- CSF lymphocyte count abnormal
- CSF lymphocyte count increased
- CSF lymphocyte count normal
- CSF measles antibody negative
- CSF measles antibody positive
- CSF monocyte count
- CSF monocyte count decreased
- CSF monocyte count increased
- CSF monocyte count negative
- CSF mononuclear cell count decreased
- CSF mononuclear cell count increased
- CSF myelin basic protein
- CSF myelin basic protein abnormal
- CSF myelin basic protein increased
- CSF myelin basic protein normal
- CSF neutrophil count
- CSF neutrophil count decreased
- CSF neutrophil count increased
- CSF neutrophil count negative
- CSF neutrophil count positive
- CSF oligoclonal band
- CSF oligoclonal band absent
- CSF oligoclonal band present
- CSF pH
- CSF pH increased
- CSF pH normal
- CSF polymorphonuclear cell count
- decreased
- CSF polymorphonuclear cell count
- increased
- CSF pressure
- CSF pressure abnormal
- CSF pressure decreased
- CSF pressure increased
- CSF pressure normal
- CSF protein
- CSF protein abnormal
- CSF protein decreased
- CSF protein increased
- CSF protein normal
- CSF red blood cell count
- CSF red blood cell count positive
- CSF shunt operation
- CSF test
- CSF test abnormal
- CSF test normal
- CSF virus identified
- CSF virus no organisms observed
- CSF volume
- CSF volume decreased
- CSF volume increased
- CSF white blood cell count
- CSF white blood cell count decreased
- CSF white blood cell count increased
- CSF white blood cell count negative
- CSF white blood cell count positive
- CSF white blood cell differential
- CT hypotension complex
- CTLA4 deficiency
- CYP2C19 gene status assay
- CYP2C19 polymorphism
- Cachexia
- Caecectomy
- Caecopexy
- Caecum operation
- Caesarean section
- Cafe au lait spots
- Caffeine allergy
- Caffeine consumption
- Calcific deposits removal
- Calcification of muscle
- Calcinosis
- Calciphylaxis
- Calcitonin stimulation test
- Calcium deficiency
- Calcium embolism
- Calcium ionised
- Calcium ionised abnormal
- Calcium ionised decreased
- Calcium ionised increased
- Calcium ionised normal
- Calcium metabolism disorder
- Calcium phosphate product
- Calculus bladder
- Calculus ureteric
- Calculus urethral
- Calculus urinary
- Calicivirus test positive
- Calyceal diverticulum
- Camptocormia
- Campylobacter colitis
- Campylobacter gastroenteritis
- Campylobacter infection
- Campylobacter test
- Campylobacter test positive
- Canalith repositioning procedure
- Cancer fatigue
- Cancer gene carrier
- Cancer in remission
- Cancer pain
- Cancer screening
- Cancer staging
- Cancer surgery
- Candida infection
- Candida nappy rash
- Candida pneumonia
- Candida sepsis
- Candida serology negative
- Candida test
- Candida test negative
- Candida test positive
- Candidiasis
- Candiduria
- Cannabinoid hyperemesis syndrome
- Canthoplasty
- Capillaritis
- Capillary disorder
- Capillary fragility
- Capillary fragility abnormal
- Capillary fragility increased
- Capillary fragility test
- Capillary leak syndrome
- Capillary nail refill test
- Capillary nail refill test abnormal
- Capillary permeability
- Capillary permeability increased
- Capnocytophaga infection
- Capnocytophaga sepsis
- Capnogram
- Capnogram normal
- Capsular contracture
- associated with breast implant
- Capsular contracture associated with
- implant
- Capsule endoscopy
- Carbohydrate antigen 125
- Carbohydrate antigen 125 increased
- Carbohydrate antigen 125 normal
- Carbohydrate antigen 15-3
- Carbohydrate antigen 15-3 increased
- Carbohydrate antigen 19-9
- Carbohydrate antigen 19-9 increased
- Carbohydrate antigen 27.29
- Carbohydrate antigen 27.29 increased
- Carbohydrate antigen 72-4
- Carbohydrate deficient transferrin test
-
- Carbohydrate intolerance
- Carbohydrate tolerance decreased
- Carbon dioxide
- Carbon dioxide abnormal
- Carbon dioxide combining power decreased
-
- Carbon dioxide decreased
- Carbon dioxide increased
- Carbon dioxide normal
- Carbon monoxide diffusing capacity
- decreased
- Carbon monoxide poisoning
- Carbonic anhydrase gene mutation
- Carbonic anhydrase gene mutation assay
-
- Carboxyhaemoglobin
- Carboxyhaemoglobin decreased
- Carboxyhaemoglobin increased
- Carboxyhaemoglobin normal
- Carbuncle
- Carcinoembryonic antigen
- Carcinoembryonic antigen increased
- Carcinoembryonic antigen normal
- Carcinogenicity
- Carcinoid crisis
- Carcinoid syndrome
- Carcinoid tumour
- Carcinoid tumour of the
- gastrointestinal tract
- Carcinoid tumour pulmonary
- Carcinoma in situ
- Cardiac ablation
- Cardiac amyloidosis
- Cardiac aneurysm
- Cardiac arrest
- Cardiac arrest neonatal
- Cardiac assistance device user
- Cardiac asthma
- Cardiac autonomic neuropathy
- Cardiac cirrhosis
- Cardiac clearance
- Cardiac complication associated with
- device
- Cardiac contractility decreased
- Cardiac contusion
- Cardiac death
- Cardiac device implantation
- Cardiac device reprogramming
- Cardiac discomfort
- Cardiac disorder
- Cardiac dysfunction
- Cardiac electrophysiologic study
- Cardiac electrophysiologic study
- abnormal
- Cardiac electrophysiologic study normal
-
- Cardiac enzymes
- Cardiac enzymes increased
- Cardiac enzymes normal
- Cardiac failure
- Cardiac failure acute
- Cardiac failure chronic
- Cardiac failure congestive
- Cardiac failure high output
- Cardiac fibrillation
- Cardiac flutter
- Cardiac function test
- Cardiac function test abnormal
- Cardiac function test normal
- Cardiac granuloma
- Cardiac herniation
- Cardiac hypertrophy
- Cardiac imaging procedure
- Cardiac imaging procedure abnormal
- Cardiac imaging procedure normal
- Cardiac index
- Cardiac index decreased
- Cardiac index increased
- Cardiac infection
- Cardiac malposition
- Cardiac massage
- Cardiac monitoring
- Cardiac monitoring abnormal
- Cardiac monitoring normal
- Cardiac murmur
- Cardiac murmur functional
- Cardiac neoplasm unspecified
- Cardiac neurosis
- Cardiac operation
- Cardiac output
- Cardiac output decreased
- Cardiac output increased
- Cardiac pacemaker adjustment
- Cardiac pacemaker evaluation
- Cardiac pacemaker insertion
- Cardiac pacemaker removal
- Cardiac pacemaker replacement
- Cardiac perforation
- Cardiac perfusion defect
- Cardiac pharmacologic stress test
- Cardiac procedure complication
- Cardiac rehabilitation therapy
- Cardiac resynchronisation therapy
- Cardiac sarcoidosis
- Cardiac septal defect
- Cardiac septal defect repair
- Cardiac septal defect residual shunt
- Cardiac septal hypertrophy
- Cardiac steatosis
- Cardiac stress test
- Cardiac stress test abnormal
- Cardiac stress test normal
- Cardiac tamponade
- Cardiac telemetry
- Cardiac telemetry abnormal
- Cardiac telemetry normal
- Cardiac therapeutic procedure
- Cardiac valve abscess
- Cardiac valve discolouration
- Cardiac valve disease
- Cardiac valve fibroelastoma
- Cardiac valve prosthesis user
- Cardiac valve rupture
- Cardiac valve sclerosis
- Cardiac valve thickening
- Cardiac valve vegetation
- Cardiac vein dissection
- Cardiac vein perforation
- Cardiac ventricular disorder
- Cardiac ventricular scarring
- Cardiac ventricular thrombosis
- Cardiac ventriculogram
- Cardiac ventriculogram abnormal
- Cardiac ventriculogram left
- Cardiac ventriculogram left abnormal
- Cardiac ventriculogram left normal
- Cardiac ventriculogram normal
- Cardiac ventriculogram right
- Cardio-ankle vascular index
- Cardio-respiratory arrest
- Cardio-respiratory arrest neonatal
- Cardio-respiratory distress
- Cardioactive drug level
- Cardioactive drug level decreased
- Cardioactive drug level increased
- Cardiogenic shock
- Cardiolipin antibody
- Cardiolipin antibody negative
- Cardiolipin antibody positive
- Cardiomegaly
- Cardiometabolic syndrome
- Cardiomyopathy
- Cardiomyopathy acute
- Cardiomyopathy alcoholic
- Cardiomyopathy neonatal
- Cardioplegia
- Cardiopulmonary bypass
- Cardiopulmonary exercise test
- Cardiopulmonary exercise test abnormal
-
- Cardiopulmonary exercise test normal
- Cardiopulmonary failure
- Cardiorenal syndrome
- Cardiospasm
- Cardiothoracic ratio
- Cardiothoracic ratio increased
- Cardiotoxicity
- Cardiovascular autonomic function test
-
- Cardiovascular autonomic function
- test abnormal
- Cardiovascular autonomic function
- test normal
- Cardiovascular deconditioning
- Cardiovascular disorder
- Cardiovascular evaluation
- Cardiovascular event prophylaxis
- Cardiovascular examination
- Cardiovascular examination abnormal
- Cardiovascular function test
- Cardiovascular function test abnormal
-
- Cardiovascular function test normal
- Cardiovascular insufficiency
- Cardiovascular somatic symptom disorder
-
- Cardiovascular symptom
- Cardioversion
- Carditis
- Caregiver
- Carnett's sign positive
- Carney complex
- Carnitine
- Carnitine abnormal
- Carnitine decreased
- Carnitine deficiency
- Carnitine normal
- Carotid aneurysm rupture
- Carotid angioplasty
- Carotid arterial embolus
- Carotid arteriosclerosis
- Carotid artery aneurysm
- Carotid artery bypass
- Carotid artery disease
- Carotid artery dissection
- Carotid artery dolichoectasia
- Carotid artery occlusion
- Carotid artery perforation
- Carotid artery stenosis
- Carotid artery stent insertion
- Carotid artery thrombosis
- Carotid bruit
- Carotid endarterectomy
- Carotid intima-media thickness increased
-
- Carotid pulse
- Carotid pulse abnormal
- Carotid pulse decreased
- Carotid pulse increased
- Carotid revascularisation
- Carotid sinus massage
- Carotidynia
- Carpal collapse
- Carpal tunnel decompression
- Carpal tunnel syndrome
- Cartilage atrophy
- Cartilage development disorder
- Cartilage hypertrophy
- Cartilage injury
- Cartilage neoplasm
- Cast application
- Castleman's disease
- Cat scratch disease
- Catamenial pneumothorax
- Cataplexy
- Cataract
- Cataract congenital
- Cataract cortical
- Cataract diabetic
- Cataract nuclear
- Cataract operation
- Cataract subcapsular
- Catarrh
- Catastrophic reaction
- Catatonia
- Catecholamine crisis
- Catecholamines urine
- Catecholamines urine increased
- Catecholamines urine normal
- Catheter culture
- Catheter culture positive
- Catheter directed thrombolysis
- Catheter management
- Catheter placement
- Catheter removal
- Catheter site discharge
- Catheter site erythema
- Catheter site haematoma
- Catheter site haemorrhage
- Catheter site infection
- Catheter site injury
- Catheter site irritation
- Catheter site pain
- Catheter site phlebitis
- Catheter site related reaction
- Catheter site swelling
- Catheter site thrombosis
- Catheter site warmth
- Catheterisation cardiac
- Catheterisation cardiac abnormal
- Catheterisation cardiac normal
- Catheterisation venous
- Cauda equina syndrome
- Cautery to nose
- Cavernous sinus syndrome
- Cavernous sinus thrombosis
- Cell death
- Cell marker
- Cell marker decreased
- Cell marker increased
- Cell-mediated cytotoxicity
- Cell-mediated immune deficiency
- Cells in urine
- Cellulite
- Cellulitis
- Cellulitis of male external genital
- organ
- Cellulitis orbital
- Cellulitis pasteurella
- Cellulitis pharyngeal
- Cellulitis staphylococcal
- Cellulitis streptococcal
- Central auditory processing disorder
- Central cord syndrome
- Central nervous system abscess
- Central nervous system function test
- Central nervous system function test
- abnormal
- Central nervous system function test
- normal
- Central nervous system fungal infection
-
- Central nervous system haemorrhage
- Central nervous
- system immune reconstitution inflammatory response
- Central nervous system infection
- Central nervous system inflammation
- Central nervous system injury
- Central nervous system lesion
- Central nervous system leukaemia
- Central nervous system lupus
- Central nervous system lymphoma
- Central nervous system mass
- Central nervous system necrosis
- Central nervous system neoplasm
- Central nervous system stimulation
- Central nervous system vasculitis
- Central nervous system viral infection
-
- Central obesity
- Central pain syndrome
- Central serous chorioretinopathy
- Central sleep apnoea syndrome
- Central venous catheter removal
- Central venous catheterisation
- Central venous pressure
- Central venous pressure abnormal
- Central venous pressure increased
- Central venous pressure normal
- Central vision loss
- Cephalhaematoma
- Cephalin flocculation
- Cephalo-pelvic disproportion
- Cerebellar artery occlusion
- Cerebellar artery thrombosis
- Cerebellar ataxia
- Cerebellar atrophy
- Cerebellar cognitive affective syndrome
-
- Cerebellar embolism
- Cerebellar haematoma
- Cerebellar haemorrhage
- Cerebellar hypoplasia
- Cerebellar infarction
- Cerebellar ischaemia
- Cerebellar microhaemorrhage
- Cerebellar stroke
- Cerebellar syndrome
- Cerebellar tonsillar ectopia
- Cerebellar tumour
- Cerebral amyloid angiopathy
- Cerebral aneurysm perforation
- Cerebral arteriosclerosis
- Cerebral arteriovenous
- malformation haemorrhagic
- Cerebral arteritis
- Cerebral artery embolism
- Cerebral artery occlusion
- Cerebral artery perforation
- Cerebral artery stenosis
- Cerebral artery stent insertion
- Cerebral artery thrombosis
- Cerebral ataxia
- Cerebral atrophy
- Cerebral atrophy congenital
- Cerebral calcification
- Cerebral capillary telangiectasia
- Cerebral cavernous malformation
- Cerebral circulatory failure
- Cerebral congestion
- Cerebral cyst
- Cerebral decompression
- Cerebral disorder
- Cerebral dysgenesis
- Cerebral endovascular aneurysm repair
-
- Cerebral fungal infection
- Cerebral haemangioma
- Cerebral haematoma
- Cerebral haemorrhage
- Cerebral haemorrhage foetal
- Cerebral haemorrhage neonatal
- Cerebral haemosiderin deposition
- Cerebral hygroma
- Cerebral hyperperfusion syndrome
- Cerebral hypoperfusion
- Cerebral infarction
- Cerebral infarction foetal
- Cerebral ischaemia
- Cerebral mass effect
- Cerebral microangiopathy
- Cerebral microembolism
- Cerebral microhaemorrhage
- Cerebral microinfarction
- Cerebral palsy
- Cerebral reperfusion injury
- Cerebral revascularisation
- Cerebral salt-wasting syndrome
- Cerebral septic infarct
- Cerebral small vessel ischaemic disease
-
- Cerebral thrombosis
- Cerebral vascular occlusion
- Cerebral vasoconstriction
- Cerebral vasodilatation
- Cerebral venous sinus thrombosis
- Cerebral venous thrombosis
- Cerebral ventricle collapse
- Cerebral ventricle dilatation
- Cerebral ventricular rupture
- Cerebral ventriculogram
- Cerebrosclerosis
- Cerebrospinal fluid circulation disorder
-
- Cerebrospinal fluid drainage
- Cerebrospinal fluid leakage
- Cerebrospinal fluid retention
- Cerebrovascular accident
- Cerebrovascular arteriovenous
- malformation
- Cerebrovascular disorder
- Cerebrovascular insufficiency
- Cerebrovascular operation
- Cerebrovascular stenosis
- Ceruloplasmin
- Ceruloplasmin decreased
- Ceruloplasmin increased
- Ceruloplasmin normal
- Cerumen impaction
- Cerumen removal
- Cervical conisation
- Cervical cord compression
- Cervical cyst
- Cervical diathermy
- Cervical dilatation
- Cervical discharge
- Cervical dysplasia
- Cervical incompetence
- Cervical laser therapy
- Cervical myelopathy
- Cervical neuritis
- Cervical plexus lesion
- Cervical polyp
- Cervical polypectomy
- Cervical radiculopathy
- Cervical root pain
- Cervical spinal cord paralysis
- Cervical spinal stenosis
- Cervical spine flattening
- Cervical vertebral fracture
- Cervicectomy
- Cervicitis
- Cervicitis human papilloma virus
- Cervicitis trichomonal
- Cervicobrachial syndrome
- Cervicogenic headache
- Cervicogenic vertigo
- Cervix cancer metastatic
- Cervix carcinoma
- Cervix carcinoma recurrent
- Cervix carcinoma stage 0
- Cervix carcinoma stage I
- Cervix carcinoma stage II
- Cervix carcinoma stage III
- Cervix carcinoma stage IV
- Cervix cautery
- Cervix cerclage procedure
- Cervix disorder
- Cervix dystocia
- Cervix enlargement
- Cervix erythema
- Cervix haematoma uterine
- Cervix haemorrhage uterine
- Cervix inflammation
- Cervix injury
- Cervix neoplasm
- Cervix oedema
- Cervix operation
- Cervix tumour excision
- Cestode infection
- Chalazion
- Change in seizure presentation
- Change in sustained attention
- Change of bowel habit
- Chapped lips
- Charles Bonnet syndrome
- Checkpoint kinase 2 gene mutation
- Cheilitis
- Cheilosis
- Chelation therapy
- Chemical burn
- Chemical burn of oral cavity
- Chemical burn of skin
- Chemical burns of eye
- Chemical eye injury
- Chemical peel of skin
- Chemical poisoning
- Chemocauterisation
- Chemokine increased
- Chemokine test
- Chemotherapy
- Chemotherapy multiple agents systemic
-
- Chemotherapy side effect prophylaxis
- Chest X-ray
- Chest X-ray abnormal
- Chest X-ray normal
- Chest crushing
- Chest discomfort
- Chest expansion decreased
- Chest injury
- Chest pain
- Chest scan
- Chest scan abnormal
- Chest tube insertion
- Chest tube removal
- Chest wall abscess
- Chest wall cyst
- Chest wall haematoma
- Chest wall mass
- Chest wall pain
- Chest wall tumour
- Cheyne-Stokes respiration
- Chiari network
- Chikungunya virus infection
- Child abuse
- Child maltreatment syndrome
- Child-Pugh-Turcotte score
- Child-Pugh-Turcotte score increased
- Childhood asthma
- Childhood depression
- Childhood disintegrative disorder
- Chillblains
- Chills
- Chimerism
- Chiropractic
- Chlamydia identification test
- Chlamydia identification test negative
-
- Chlamydia serology
- Chlamydia serology negative
- Chlamydia serology positive
- Chlamydia test
- Chlamydia test negative
- Chlamydia test positive
- Chlamydial infection
- Chloasma
- Chloroma
- Chloropsia
- Choking
- Choking sensation
- Cholangiocarcinoma
- Cholangiogram
- Cholangiogram abnormal
- Cholangiogram normal
- Cholangiosarcoma
- Cholangiostomy
- Cholangitis
- Cholangitis acute
- Cholangitis chronic
- Cholangitis infective
- Cholangitis sclerosing
- Cholecystectomy
- Cholecystitis
- Cholecystitis acute
- Cholecystitis chronic
- Cholecystitis infective
- Cholecystocholangitis
- Cholecystogram intravenous abnormal
- Cholecystostomy
- Choledochoenterostomy
- Choledocholithotomy
- Cholelithiasis
- Cholelithotomy
- Cholelithotripsy
- Cholera
- Cholestasis
- Cholestasis of pregnancy
- Cholestatic liver injury
- Cholesteatoma
- Cholesterosis
- Cholinergic syndrome
- Cholinesterase inhibition
- Choluria
- Chondritis
- Chondroblastoma
- Chondrocalcinosis
- Chondrocalcinosis pyrophosphate
- Chondrodermatitis nodularis chronica
- helicis
- Chondrodystrophy
- Chondrolysis
- Chondroma
- Chondromalacia
- Chondromatosis
- Chondropathy
- Chondrosarcoma
- Chondrosis
- Chordae tendinae rupture
- Chordee
- Chorea
- Choreoathetosis
- Chorioamnionitis
- Chorioamniotic separation
- Chorioretinal atrophy
- Chorioretinal disorder
- Chorioretinal folds
- Chorioretinal scar
- Chorioretinitis
- Chorioretinopathy
- Choroid melanoma
- Choroid plexus papilloma
- Choroidal detachment
- Choroidal effusion
- Choroidal haemangioma
- Choroidal haemorrhage
- Choroidal infarction
- Choroidal neovascularisation
- Choroidal rupture
- Choroiditis
- Chromatopsia
- Chromaturia
- Chromopertubation
- Chromosomal analysis
- Chromosomal deletion
- Chromosome abnormality
- Chromosome analysis abnormal
- Chromosome analysis normal
- Chromosome banding
- Chromosome banding normal
- Chronic actinic dermatitis
- Chronic active Epstein-Barr virus
- infection
- Chronic allograft nephropathy
- Chronic cheek biting
- Chronic coronary syndrome
- Chronic cutaneous lupus erythematosus
-
- Chronic disease
- Chronic eosinophilic leukaemia
- Chronic fatigue syndrome
- Chronic gastritis
- Chronic graft versus host disease
- Chronic graft versus host disease in
- skin
- Chronic graft versus host disease oral
-
- Chronic granulomatous disease
- Chronic hepatic failure
- Chronic hepatitis
- Chronic hepatitis B
- Chronic hepatitis C
- Chronic hyperplastic eosinophilic
- sinusitis
- Chronic idiopathic pain syndrome
- Chronic inflammatory
- demyelinating polyradiculoneuropathy
- Chronic inflammatory response syndrome
-
- Chronic kidney disease
- Chronic kidney disease-mineral
- and bone disorder
- Chronic left ventricular failure
- Chronic leukaemia
-
- Chronic lymphocytic inflammation with pontine perivascular enhancement responsive to steroids
-
- Chronic lymphocytic leukaemia
- Chronic lymphocytic leukaemia recurrent
-
- Chronic lymphocytic leukaemia stage 0
-
- Chronic lymphocytic leukaemia stage 2
-
- Chronic lymphocytic leukaemia
- transformation
- Chronic myeloid leukaemia
- Chronic myeloid leukaemia recurrent
- Chronic myelomonocytic leukaemia
- Chronic myocarditis
- Chronic obstructive pulmonary disease
-
- Chronic papillomatous dermatitis
- Chronic paroxysmal hemicrania
- Chronic pigmented purpura
- Chronic recurrent multifocal
- osteomyelitis
- Chronic respiratory disease
- Chronic respiratory failure
- Chronic rhinosinusitis with nasal polyps
-
- Chronic rhinosinusitis without nasal
- polyps
- Chronic right ventricular failure
- Chronic sinusitis
- Chronic spontaneous urticaria
- Chronic throat clearing
- Chronic tonsillitis
- Chronic villitis of unknown etiology
- Chronotropic incompetence
- Chvostek's sign
- Chylomicron increased
- Chylomicrons
- Chylothorax
- Ciliary body disorder
- Ciliary ganglionitis
- Ciliary hyperaemia
- Ciliary muscle spasm
- Circadian rhythm sleep disorder
- Circulating anticoagulant
- Circulating anticoagulant positive
- Circulatory collapse
- Circulatory failure neonatal
- Circumcision
- Circumoral oedema
- Circumoral swelling
- Circumstance or
- information capable of leading to device use error
- Circumstance or
- information capable of leading to medication error
- Circumstantiality
- Cirrhosis alcoholic
- Cisternogram
- Citrobacter bacteraemia
- Citrobacter infection
- Citrobacter sepsis
- Citrobacter test positive
- Clamping of blood vessel
- Clang associations
- Claude's syndrome
- Claudication of jaw muscles
- Claustrophobia
- Clavicle fracture
- Clear cell renal cell carcinoma
- Cleft lip
- Cleft lip and palate
- Cleft lip repair
- Cleft palate
- Cleft uvula
- Clinical death
- Clinical dementia rating scale
- Clinical dementia rating scale score
- abnormal
- Clinical trial participant
- Clinically isolated syndrome
- Clinodactyly
- Clinomania
- Clitoral engorgement
- Cloacal exstrophy
- Clonal haematopoiesis
- Clonic convulsion
- Clonus
- Closed fracture manipulation
- Clostridial infection
- Clostridial sepsis
- Clostridium colitis
- Clostridium difficile colitis
- Clostridium difficile infection
- Clostridium difficile sepsis
- Clostridium difficile toxin test
- Clostridium difficile toxin test
- positive
- Clostridium test
- Clostridium test negative
- Clostridium test positive
- Clot retraction
- Clot retraction normal
- Clot retraction time shortened
- Clotting factor transfusion
- Clubbing
- Clumsiness
- Cluster headache
- Clusterin
- Coagulation disorder neonatal
- Coagulation factor
- Coagulation factor IX level
- Coagulation factor IX level decreased
-
- Coagulation factor IX level normal
- Coagulation factor V level
- Coagulation factor V level abnormal
- Coagulation factor V level decreased
- Coagulation factor V level increased
- Coagulation factor V level normal
- Coagulation factor VII level
- Coagulation factor VII level decreased
-
- Coagulation factor VII level increased
-
- Coagulation factor VII level normal
- Coagulation factor VIII level
- Coagulation factor VIII level abnormal
-
- Coagulation factor VIII level decreased
-
- Coagulation factor VIII level increased
-
- Coagulation factor VIII level normal
- Coagulation factor X level
- Coagulation factor X level normal
- Coagulation factor XI level
- Coagulation factor XI level decreased
-
- Coagulation factor XI level normal
- Coagulation factor XII level
- Coagulation factor XII level increased
-
- Coagulation factor XII level normal
- Coagulation factor XIII level
- Coagulation factor XIII level decreased
-
- Coagulation factor decreased
- Coagulation factor deficiency
- Coagulation factor increased
- Coagulation factor inhibitor assay
- Coagulation factor level normal
- Coagulation factor mutation
- Coagulation test
- Coagulation test abnormal
- Coagulation test normal
- Coagulation time
- Coagulation time abnormal
- Coagulation time normal
- Coagulation time prolonged
- Coagulation time shortened
- Coagulopathy
- Coarctation of the aorta
- Coating in mouth
- Coccidioidomycosis
- Coccydynia
- Cochlea implant
- Cochlear injury
- Cockroach allergy
- Coeliac artery aneurysm
- Coeliac artery compression syndrome
- Coeliac artery occlusion
- Coeliac artery stenosis
- Coeliac disease
- Coeliac plexus block
- Cogan's syndrome
- Cognitive disorder
- Cognitive linguistic deficit
- Cognitive test
- Cogwheel rigidity
- Coinfection
- Coital bleeding
- Cold agglutinins
- Cold agglutinins negative
- Cold agglutinins positive
- Cold burn
- Cold compress therapy
- Cold dysaesthesia
- Cold exposure injury
- Cold shock response
- Cold sweat
- Cold type haemolytic anaemia
- Cold urticaria
- Cold-stimulus headache
- Colectomy
- Colectomy total
- Colitis
- Colitis collagenous
- Colitis ischaemic
- Colitis microscopic
- Colitis ulcerative
- Collagen antigen type IV
- Collagen disorder
- Collagen-vascular disease
- Collapse of lung
- Collateral circulation
- Colloid brain cyst
- Colon adenoma
- Colon cancer
- Colon cancer metastatic
- Colon cancer stage IV
- Colon gangrene
- Colon injury
- Colon neoplasm
- Colon operation
- Colon polypectomy
- Colonic abscess
- Colonic fistula
- Colonic haemorrhage
- Colonic lavage
- Colonic polyp
- Colonic stenosis
- Colonoscopy
- Colonoscopy abnormal
- Colonoscopy normal
- Colony stimulating factor therapy
- Colorectal adenocarcinoma
- Colorectal adenoma
- Colorectal cancer
- Colorectal cancer metastatic
- Colorectal cancer stage IV
- Colorectostomy
- Colostomy
- Colostomy closure
- Colostomy infection
- Colour blindness
- Colour blindness acquired
- Colour vision tests
- Colour vision tests abnormal
- Colour vision tests abnormal red-green
-
- Colour vision tests normal
- Colposcopy
- Colposcopy abnormal
- Colposcopy normal
- Columbia suicide severity rating scale
-
- Coma
- Coma acidotic
- Coma hepatic
- Coma scale
- Coma scale abnormal
- Coma scale normal
- Combined immunodeficiency
- Combined pulmonary fibrosis and
- emphysema
- Combined tibia-fibula fracture
- Comminuted fracture
- Communication disorder
- Community acquired infection
- Compartment pressure test
- Compartment syndrome
- Compensatory sweating
- Complement analysis
- Complement deficiency disease
- Complement factor
- Complement factor C1
- Complement factor C1 increased
- Complement factor C2
- Complement factor C3
- Complement factor C3 decreased
- Complement factor C3 increased
- Complement factor C4
- Complement factor C4 decreased
- Complement factor C4 increased
- Complement factor abnormal
- Complement factor decreased
- Complement factor increased
- Complement factor normal
- Complement fixation test positive
- Completed suicide
- Complex partial seizures
- Complex regional pain syndrome
- Complex tic
- Complicated appendicitis
- Complicated migraine
- Complication associated with device
- Complication of delivery
- Complication of device insertion
- Complication of device removal
- Complication of pregnancy
- Complications of transplant surgery
- Complications of transplanted heart
- Complications of transplanted kidney
- Complications of transplanted lung
- Compression fracture
- Compression garment application
- Compulsions
- Compulsive cheek biting
- Compulsive handwashing
- Compulsive hoarding
- Compulsive lip biting
- Computed tomographic abscessogram
- Computed tomographic colonography
- Computed tomographic gastrography
- Computerised tomogram
- Computerised tomogram abdomen
- Computerised tomogram abdomen abnormal
-
- Computerised tomogram abdomen normal
- Computerised tomogram abnormal
- Computerised tomogram aorta
- Computerised tomogram breast abnormal
-
- Computerised tomogram coronary artery
-
- Computerised tomogram coronary
- artery abnormal
- Computerised tomogram coronary artery
- normal
- Computerised tomogram head
- Computerised tomogram head abnormal
- Computerised tomogram head normal
- Computerised tomogram heart
- Computerised tomogram heart abnormal
- Computerised tomogram heart normal
- Computerised tomogram intestine
- Computerised tomogram kidney
- Computerised tomogram kidney abnormal
-
- Computerised tomogram kidney normal
- Computerised tomogram limb
- Computerised tomogram liver
- Computerised tomogram liver abnormal
- Computerised tomogram neck
- Computerised tomogram normal
- Computerised tomogram oesophagus
- abnormal
- Computerised tomogram of gallbladder
- Computerised tomogram pancreas
- Computerised tomogram pancreas abnormal
-
- Computerised tomogram pancreas normal
-
- Computerised tomogram pelvis
- Computerised tomogram pelvis abnormal
-
- Computerised tomogram spine
- Computerised tomogram spine abnormal
- Computerised tomogram spine normal
- Computerised tomogram thorax
- Computerised tomogram thorax abnormal
-
- Computerised tomogram thorax normal
- Computerised tomogram venography head
-
- Concentric sclerosis
- Concomitant disease aggravated
- Concomitant disease progression
- Concussion
- Condition aggravated
- Condom catheter placement
- Conduct disorder
- Conduction disorder
- Conductive deafness
- Condyloma latum
- Cone dystrophy
- Confabulation
- Confirmed
- e-cigarette or vaping product use associated lung injury
- Confluent and reticulate papillomatosis
-
- Confusional arousal
- Confusional state
- Congenital LUMBAR syndrome
- Congenital abdominal hernia
- Congenital absence of bile ducts
- Congenital absence of cranial vault
- Congenital adrenal gland hypoplasia
- Congenital amputation
- Congenital anomaly
- Congenital aortic valve incompetence
- Congenital aplastic anaemia
- Congenital arterial malformation
- Congenital aural fistula
- Congenital bladder anomaly
- Congenital brain damage
- Congenital cardiovascular anomaly
- Congenital central nervous system
- anomaly
- Congenital cerebellar agenesis
- Congenital cerebral cyst
- Congenital cerebrovascular anomaly
- Congenital choroid plexus cyst
- Congenital coagulopathy
- Congenital coronary artery malformation
-
- Congenital cyst
- Congenital cystic kidney disease
- Congenital cystic lung
- Congenital cytomegalovirus infection
- Congenital dengue disease
- Congenital diaphragmatic hernia
- Congenital eye disorder
- Congenital foot malformation
- Congenital genital malformation
- Congenital genitourinary abnormality
- Congenital great vessel anomaly
- Congenital haematological disorder
- Congenital hand malformation
- Congenital hearing disorder
- Congenital heart valve disorder
- Congenital hepatitis B infection
- Congenital herpes simplex infection
- Congenital hydrocephalus
- Congenital hydronephrosis
- Congenital hypercoagulation
- Congenital hyperthyroidism
- Congenital hypothyroidism
- Congenital inguinal hernia
- Congenital jaw malformation
- Congenital joint malformation
- Congenital laryngeal stridor
- Congenital megacolon
- Congenital megaureter
- Congenital melanocytic naevus
- Congenital methaemoglobinaemia
- Congenital midline defect
- Congenital mitral valve incompetence
- Congenital multiplex arthrogryposis
- Congenital musculoskeletal anomaly
- Congenital musculoskeletal disorder
- of limbs
- Congenital musculoskeletal disorder
- of spine
- Congenital myasthenic syndrome
- Congenital myopathy
- Congenital myopia
- Congenital naevus
- Congenital neurological degeneration
- Congenital neurological disorder
- Congenital neuropathy
- Congenital nose malformation
- Congenital optic nerve anomaly
- Congenital oral malformation
- Congenital pneumonia
- Congenital pulmonary artery anomaly
- Congenital pulmonary valve disorder
- Congenital pyelocaliectasis
- Congenital renal disorder
- Congenital rubella infection
- Congenital scoliosis
- Congenital skin dimples
- Congenital skin disorder
- Congenital syphilis
- Congenital syphilitic osteochondritis
-
- Congenital teratoma
- Congenital thrombocyte disorder
- Congenital thrombocytopenia
- Congenital thymus absence
- Congenital thyroid disorder
- Congenital tongue anomaly
- Congenital tracheomalacia
- Congenital tricuspid valve atresia
- Congenital tricuspid valve incompetence
-
- Congenital umbilical hernia
- Congenital ureterocele
- Congenital ureteropelvic junction
- obstruction
- Congenital ureterovesical junction
- anomaly
- Congenital uterine anomaly
- Congenital vesicoureteric reflux
- Congestive cardiomyopathy
- Congestive hepatopathy
- Conjoined twins
- Conjunctival adhesion
- Conjunctival bleb
- Conjunctival cyst
- Conjunctival deposit
- Conjunctival discolouration
- Conjunctival disorder
- Conjunctival erosion
- Conjunctival follicles
- Conjunctival granuloma
- Conjunctival haemorrhage
- Conjunctival hyperaemia
- Conjunctival irritation
- Conjunctival oedema
- Conjunctival pallor
- Conjunctival scar
- Conjunctival staining
- Conjunctival suffusion
- Conjunctival telangiectasia
- Conjunctival ulcer
- Conjunctival vascular disorder
- Conjunctivitis
- Conjunctivitis allergic
- Conjunctivitis bacterial
- Conjunctivitis infective
- Conjunctivitis viral
- Conjunctivochalasis
- Connective tissue disorder
- Connective tissue inflammation
- Consciousness fluctuating
- Constipation
- Constricted affect
- Contact lens intolerance
- Contact lens therapy
- Continuous glucose monitoring
- Continuous haemodiafiltration
- Continuous positive airway pressure
- Contraception
- Contraceptive cap
- Contraceptive diaphragm
- Contraceptive implant
- Contracted bladder
- Contraindicated drug administered
- Contraindicated product administered
- Contraindicated product prescribed
- Contraindication to medical treatment
-
- Contraindication to vaccination
- Contrast echocardiogram
- Contrast media allergy
- Contrast media deposition
- Contrast media reaction
- Contrast-enhanced magnetic
- resonance venography
- Contusion
- Conus medullaris syndrome
- Convalescent
- Convalescent plasma transfusion
- Conversion disorder
- Convulsion
- Convulsion in childhood
- Convulsion neonatal
- Convulsions local
- Convulsive threshold lowered
- Cooling therapy
- Coombs direct test
- Coombs direct test negative
- Coombs direct test positive
- Coombs indirect test
- Coombs indirect test negative
- Coombs indirect test positive
- Coombs negative haemolytic anaemia
- Coombs positive haemolytic anaemia
- Coombs test
- Coombs test negative
- Coombs test positive
- Coordination abnormal
- Copper deficiency
- Coprolalia
- Cor pulmonale
- Cor pulmonale acute
- Cor pulmonale chronic
- Cor triatriatum
- Cord blood transplant therapy
- Corneal abrasion
- Corneal abscess
- Corneal bleeding
- Corneal cross linking
- Corneal decompensation
- Corneal defect
- Corneal degeneration
- Corneal deposits
- Corneal disorder
- Corneal dystrophy
- Corneal endothelial cell loss
- Corneal endothelial microscopy
- Corneal endotheliitis
- Corneal epithelium defect
- Corneal erosion
- Corneal exfoliation
- Corneal graft rejection
- Corneal infection
- Corneal infiltrates
- Corneal irritation
- Corneal laceration
- Corneal lesion
- Corneal light reflex test
- Corneal light reflex test abnormal
- Corneal light reflex test normal
- Corneal neovascularisation
- Corneal oedema
- Corneal opacity
- Corneal operation
- Corneal pachymetry
- Corneal perforation
- Corneal pigmentation
- Corneal reflex decreased
- Corneal reflex test
- Corneal scar
- Corneal thickening
- Corneal thinning
- Corneal transplant
- Corona virus infection
- Coronary angioplasty
- Coronary arterial stent insertion
- Coronary artery aneurysm
- Coronary artery atherosclerosis
- Coronary artery bypass
- Coronary artery dilatation
- Coronary artery disease
- Coronary artery dissection
- Coronary artery embolism
- Coronary artery insufficiency
- Coronary artery occlusion
- Coronary artery perforation
- Coronary artery reocclusion
- Coronary artery restenosis
- Coronary artery stenosis
- Coronary artery stent removal
- Coronary artery surgery
- Coronary artery thrombosis
- Coronary bypass thrombosis
- Coronary ostial stenosis
- Coronary vascular graft occlusion
- Coronavirus infection
- Coronavirus pneumonia
- Coronavirus test
- Coronavirus test negative
- Coronavirus test positive
- Corrective lens user
- Corrosive gastritis
- Cortical dysplasia
- Cortical laminar necrosis
- Cortical visual impairment
- Corticobasal degeneration
- Corticosteroid binding globulin test
- Corticotropin-releasing hormone
- stimulation test
- Cortisol abnormal
- Cortisol decreased
- Cortisol free urine
- Cortisol free urine decreased
- Cortisol free urine increased
- Cortisol free urine normal
- Cortisol increased
- Cortisol normal
- Corynebacterium bacteraemia
- Corynebacterium infection
- Corynebacterium test
- Corynebacterium test negative
- Corynebacterium test positive
- Costochondritis
- Costovertebral angle tenderness
- Cough
- Cough challenge test
- Cough decreased
- Cough variant asthma
- Counterfeit drug administered
- Counterfeit product administered
- Cow pox
- Cow's milk intolerance
- Cows milk free diet
- Cox-Maze procedure
- Coxiella test
- Coxiella test positive
- Coxsackie myocarditis
- Coxsackie viral infection
- Coxsackie virus serology test negative
-
- Coxsackie virus test
- Coxsackie virus test negative
- Coxsackie virus test positive
- Cramp-fasciculation syndrome
- Cranial nerve decompression
- Cranial nerve disorder
- Cranial nerve infection
- Cranial nerve injury
- Cranial nerve neoplasm benign
- Cranial nerve palsies multiple
- Cranial nerve paralysis
- Craniectomy
- Craniocerebral injury
- Craniocervical syndrome
- Craniofacial deformity
- Craniofacial fracture
- Craniofacial injury
- Craniopharyngioma
- Cranioplasty
- Craniosynostosis
- Craniotomy
- Creatine urine
- Creatine urine decreased
- Creatine urine increased
- Creatinine renal clearance
- Creatinine renal clearance abnormal
- Creatinine renal clearance decreased
- Creatinine renal clearance increased
- Creatinine renal clearance normal
- Creatinine urine
- Creatinine urine abnormal
- Creatinine urine decreased
- Creatinine urine increased
- Creatinine urine normal
- Crepitations
- Creutzfeldt-Jakob disease
- Cricopharyngeal myotomy
- Crime
- Critical illness
- Crocodile tears syndrome
- Crohn's disease
- Cross sensitivity reaction
- Crossmatch
- Croup infectious
- Crown lengthening
- Crush injury
- Crush syndrome
- Crying
- Cryofibrinogenaemia
- Cryoglobulinaemia
- Cryoglobulins
- Cryoglobulins absent
- Cryoglobulins present
- Cryoglobulinuria
- Cryopyrin associated periodic syndrome
-
- Cryotherapy
- Cryptitis
- Cryptococcal cutaneous infection
- Cryptococcal meningoencephalitis
- Cryptococcosis
- Cryptococcus antigen
- Cryptococcus test
- Cryptococcus test positive
- Cryptorchism
- Cryptosporidiosis infection
- Crystal arthropathy
- Crystal nephropathy
- Crystal urine
- Crystal urine absent
- Crystal urine present
- Crystalluria
- Cubital tunnel syndrome
- Cullen's sign
- Culture
- Culture cervix
- Culture cervix negative
- Culture negative
- Culture positive
- Culture stool
- Culture stool negative
- Culture stool positive
- Culture throat
- Culture throat negative
- Culture throat positive
- Culture tissue specimen
- Culture tissue specimen negative
- Culture tissue specimen positive
- Culture urine
- Culture urine negative
- Culture urine positive
- Culture wound
- Culture wound negative
- Culture wound positive
- Cupping therapy
- Cushing's syndrome
- Cushingoid
- Cutaneous T-cell lymphoma
- Cutaneous lupus erythematosus
- Cutaneous lymphoma
- Cutaneous mucormycosis
- Cutaneous sarcoidosis
- Cutaneous symptom
- Cutaneous tuberculosis
- Cutaneous vasculitis
- Cutibacterium acnes infection
- Cutibacterium test positive
- Cutis laxa
- Cutis verticis gyrata
- Cyanopsia
- Cyanosis
- Cyanosis central
- Cyanosis neonatal
- Cyclic citrullinated peptide A increased
-
- Cyclic vomiting syndrome
- Cyclitis
- Cycloplegia
- Cycloplegic refraction
- Cyclothymic disorder
- Cyst
- Cyst aspiration
- Cyst aspiration abnormal
- Cyst drainage
- Cyst removal
- Cyst rupture
- Cystadenocarcinoma pancreas
- Cystatin C
- Cystatin C abnormal
- Cystatin C increased
- Cystic fibrosis
- Cystic fibrosis lung
- Cystic fibrosis pancreatic
- Cystic fibrosis related diabetes
- Cystic lung disease
- Cystic lymphangioma
- Cystitis
- Cystitis bacterial
- Cystitis escherichia
- Cystitis glandularis
- Cystitis haemorrhagic
- Cystitis interstitial
- Cystitis klebsiella
- Cystitis noninfective
- Cystitis viral
- Cystitis-like symptom
- Cystocele
- Cystogram
- Cystogram abnormal
- Cystogram normal
- Cystoid macular oedema
- Cystometrogram
- Cystoscopy
- Cystoscopy abnormal
- Cystoscopy normal
- Cytogenetic abnormality
- Cytogenetic analysis
- Cytogenetic analysis abnormal
- Cytogenetic analysis normal
- Cytokeratin 18
- Cytokeratin 19
- Cytokeratin 19 increased
- Cytokine abnormal
- Cytokine increased
- Cytokine release syndrome
- Cytokine storm
- Cytokine test
- Cytology
- Cytology abnormal
- Cytology normal
- Cytolytic hepatitis
- Cytomegalovirus antibody negative
- Cytomegalovirus antibody positive
- Cytomegalovirus antigen
- Cytomegalovirus chorioretinitis
- Cytomegalovirus colitis
- Cytomegalovirus enterocolitis
- Cytomegalovirus hepatitis
- Cytomegalovirus immunisation
- Cytomegalovirus infection
- Cytomegalovirus infection reactivation
-
- Cytomegalovirus mononucleosis
- Cytomegalovirus oesophagitis
- Cytomegalovirus pericarditis
- Cytomegalovirus serology
- Cytomegalovirus syndrome
- Cytomegalovirus test
- Cytomegalovirus test negative
- Cytomegalovirus test positive
- Cytomegalovirus viraemia
- Cytopenia
- Cytoreductive surgery
- Cytotoxic lesions of corpus callosum
- Cytotoxic oedema
- DNA antibody
- DNA antibody negative
- DNA antibody positive
- DNA test for fragile X
- Dacryoadenitis acquired
- Dacryocanaliculitis
- Dacryocystitis
- Dacryostenosis acquired
- Dacryostenosis congenital
- Dactylitis
- Dairy intolerance
- Dandruff
- Dandy-Walker syndrome
- Dark circles under eyes
- Daydreaming
- Deafness
- Deafness bilateral
- Deafness congenital
- Deafness neurosensory
- Deafness permanent
- Deafness transitory
- Deafness traumatic
- Deafness unilateral
- Death
- Death neonatal
- Death of companion
- Death of pet
- Death of relative
- Debridement
- Decapitation
- Decerebrate posture
- Decerebration
- Decidual cast
- Decompressive craniectomy
- Decorticate posture
- Decreased activity
- Decreased appetite
- Decreased bronchial secretion
- Decreased embryo viability
- Decreased eye contact
- Decreased gait velocity
- Decreased immune responsiveness
- Decreased insulin requirement
- Decreased interest
- Decreased nasolabial fold
- Decreased ventricular afterload
- Decreased vibratory sense
- Decubitus ulcer
- Deep brain stimulation
- Deep vein thrombosis
- Deep vein thrombosis postoperative
- Defaecation disorder
- Defaecation urgency
- Defecography
- Defect conduction intraventricular
- Defiant behaviour
- Deficiency anaemia
- Deficiency of bile secretion
- Deformity
- Deformity of orbit
- Deformity thorax
- Degenerative aortic valve disease
- Degenerative bone disease
- Degenerative mitral valve disease
- Dehiscence
- Dehydration
- Dehydroepiandrosterone decreased
- Dehydroepiandrosterone increased
- Dehydroepiandrosterone test
- Deja vu
- Delayed delivery
- Delayed fontanelle closure
- Delayed graft function
- Delayed ischaemic neurological deficit
-
- Delayed menarche
- Delayed myelination
- Delayed puberty
- Delayed recovery from anaesthesia
- Delayed sleep phase
- Delirium
- Delirium febrile
- Delirium tremens
- Delivery
- Delivery outside health facility
- Deltaretrovirus test positive
- Delusion
- Delusion of grandeur
- Delusion of parasitosis
- Delusion of reference
- Delusion of replacement
- Delusional disorder, erotomanic type
- Delusional disorder, persecutory type
-
- Delusional disorder, unspecified type
-
- Delusional perception
- Dementia
- Dementia Alzheimer's type
- Dementia of the Alzheimer's type,
- with delirium
- Dementia of the Alzheimer's
- type, with depressed mood
- Dementia with Lewy bodies
- Demodicidosis
- Demyelinating polyneuropathy
- Demyelination
- Denervation atrophy
- Dengue fever
- Dengue haemorrhagic fever
- Dengue virus test
- Dengue virus test negative
- Dengue virus test positive
- Dennie-Morgan fold
- Dental alveolar anomaly
- Dental care
- Dental caries
- Dental cleaning
- Dental cyst
- Dental discomfort
- Dental dysaesthesia
- Dental examination
- Dental examination abnormal
- Dental examination normal
- Dental fistula
- Dental gangrene
- Dental implant removal
- Dental implantation
- Dental impression procedure
- Dental leakage
- Dental necrosis
- Dental operation
- Dental paraesthesia
- Dental plaque
- Dental pulp disorder
- Dental restoration failure
- Dental root perforation
- Dentofacial functional disorder
- Denture wearer
- Deoxypyridinoline urine increased
- Dependence
- Dependence on enabling machine or device
-
- Dependence on oxygen therapy
- Dependence on respirator
- Dependent personality disorder
- Dependent rubor
- Depersonalisation
- Depersonalisation/derealisation disorder
-
- Depilation
- Deposit eye
- Depressed level of consciousness
- Depressed mood
- Depression
- Depression rating scale score
- Depression suicidal
- Depressive delusion
- Depressive symptom
- Derailment
- Derealisation
- Dermabrasion
- Dermal cyst
- Dermal filler injection
- Dermal filler overcorrection
- Dermal filler reaction
- Dermatillomania
- Dermatitis
- Dermatitis acneiform
- Dermatitis allergic
- Dermatitis artefacta
- Dermatitis atopic
- Dermatitis bullous
- Dermatitis contact
- Dermatitis diaper
- Dermatitis exfoliative
- Dermatitis exfoliative generalised
- Dermatitis herpetiformis
- Dermatitis infected
- Dermatitis psoriasiform
- Dermatochalasis
- Dermatofibroma removal
- Dermatofibrosarcoma
- Dermatofibrosarcoma protuberans
- Dermatoglyphic anomaly
- Dermatologic examination
- Dermatologic examination abnormal
- Dermatologic examination normal
- Dermatomyositis
- Dermatopathic lymphadenopathy
- Dermatophagia
- Dermatophytosis
- Dermatosis
- Dermo-hypodermitis
- Dermographism
- Dermoid cyst
- Dermoscopy
- Desmoid tumour
- Desmoplastic small round cell tumour
- Detached Descemet's membrane
- Detachment of macular retinal
- pigment epithelium
- Detachment of retinal pigment epithelium
-
- Detoxification
- Detrusor sphincter dyssynergia
- Developmental coordination disorder
- Developmental delay
- Developmental hip dysplasia
- Developmental regression
- Device alarm issue
- Device breakage
- Device chemical property issue
- Device connection issue
- Device data issue
- Device defective
- Device dependence
- Device deployment issue
- Device difficult to use
- Device dislocation
- Device dispensing error
- Device electrical finding
- Device electrical impedance issue
- Device embolisation
- Device expulsion
- Device extrusion
- Device failure
- Device fastener issue
- Device function test
- Device inappropriate shock delivery
- Device ineffective shock delivery
- Device information output issue
- Device infusion issue
- Device intolerance
- Device issue
- Device leakage
- Device loosening
- Device malfunction
- Device material issue
- Device material opacification
- Device occlusion
- Device operational issue
- Device pacing issue
- Device physical property issue
- Device placement issue
- Device power source issue
- Device related bacteraemia
- Device related infection
- Device related sepsis
- Device related thrombosis
- Device temperature issue
- Device therapy
- Device use confusion
- Device use error
- Device use issue
- Dexamethasone suppression test
- Dexamethasone suppression test positive
-
- Dextrocardia
- DiGeorge's syndrome
- Diabetes insipidus
- Diabetes mellitus
- Diabetes mellitus inadequate control
- Diabetes mellitus insulin-dependent
- Diabetes mellitus management
- Diabetes mellitus non-insulin-dependent
-
- Diabetic amyotrophy
- Diabetic autonomic neuropathy
- Diabetic cardiomyopathy
- Diabetic cheiroarthropathy
- Diabetic coma
- Diabetic complication
- Diabetic complication neurological
- Diabetic diet
- Diabetic dyslipidaemia
- Diabetic end stage renal disease
- Diabetic eye disease
- Diabetic foetopathy
- Diabetic foot
- Diabetic foot infection
- Diabetic gangrene
- Diabetic gastroparesis
- Diabetic gastropathy
- Diabetic glaucoma
- Diabetic hyperglycaemic coma
- Diabetic hyperosmolar coma
- Diabetic ketoacidosis
- Diabetic ketoacidotic hyperglycaemic
- coma
- Diabetic ketosis
- Diabetic metabolic decompensation
- Diabetic mononeuropathy
- Diabetic nephropathy
- Diabetic neuropathy
- Diabetic relative
- Diabetic retinal oedema
- Diabetic retinopathy
- Diabetic ulcer
- Diabetic vascular disorder
- Diabetic wound
- Diagnostic aspiration
- Diagnostic procedure
- Dialysis
- Dialysis device insertion
- Dialysis disequilibrium syndrome
- Dialysis efficacy test
- Dialysis hypotension
- Dialysis related complication
- Diaphragm muscle weakness
- Diaphragmalgia
- Diaphragmatic disorder
- Diaphragmatic hernia
- Diaphragmatic injury
- Diaphragmatic paralysis
- Diaphragmatic rupture
- Diaphragmatic spasm
- Diarrhoea
- Diarrhoea haemorrhagic
- Diarrhoea infectious
- Diarrhoea neonatal
- Diastasis recti abdominis
- Diastema
- Diastematomyelia
- Diastolic dysfunction
- Diastolic hypertension
- Diastolic hypotension
- Dientamoeba infection
- Diet failure
- Diet noncompliance
- Diet refusal
- Dieulafoy's vascular malformation
- Differential white blood cell count
- Differential white blood cell count
- abnormal
- Differential white blood cell count
- normal
- Difficulty in walking
- Diffuse alopecia
- Diffuse alveolar damage
- Diffuse axonal injury
- Diffuse cutaneous mastocytosis
- Diffuse idiopathic
- pulmonary neuroendocrine cell hyperplasia
- Diffuse idiopathic skeletal hyperostosis
-
- Diffuse large B-cell lymphoma
- Diffuse large B-cell lymphoma recurrent
-
- Diffuse large B-cell lymphoma stage II
-
- Diffuse large B-cell lymphoma stage IV
-
- Diffuse mesangial sclerosis
- Diffuse panbronchiolitis
- Diffuse vasculitis
- Diffusion-weighted brain MRI
- Diffusion-weighted brain MRI abnormal
-
- Diffusion-weighted brain MRI normal
- Digestive enzyme abnormal
- Digestive enzyme decreased
- Digestive enzyme normal
- Digestive enzyme test
- Digital pulpitis
- Digital ulcer
- Dihydrotestosterone level
- Dilatation atrial
- Dilatation intrahepatic duct acquired
-
- Dilatation ventricular
- Dilated cardiomyopathy
- Dilated pores
- Diphtheria
- Diphtheria carrier
- Diphtheria toxin antibody absent
- Diplacusis
- Diplegia
- Diplopia
- Direct calorimetry
- Directional Doppler flow tests
- Directional Doppler flow tests abnormal
-
- Directional Doppler flow tests normal
-
- Disability
- Disability assessment scale
- Disability assessment scale score
- decreased
- Disability assessment scale score
- increased
- Disaccharide metabolism disorder
- Discharge
- Discogram abnormal
- Discoloured vomit
- Discomfort
- Discontinued product administered
- Discouragement
- Disease complication
- Disease prodromal stage
- Disease progression
- Disease recurrence
- Disease risk factor
- Disease susceptibility
- Disinhibition
- Dislocation of vertebra
- Disorder of orbit
- Disorganised speech
- Disorientation
- Disruption of the
- photoreceptor inner segment-outer segment
- Dissecting coronary artery aneurysm
- Disseminated Bacillus
- Calmette-Guerin infection
- Disseminated cytomegaloviral infection
-
- Disseminated intravascular coagulation
-
- Disseminated intravascular
- coagulation in newborn
- Disseminated tuberculosis
- Disseminated varicella
- Disseminated varicella
- zoster vaccine virus infection
- Disseminated varicella zoster virus
- infection
- Dissociation
- Dissociative amnesia
- Dissociative disorder
- Dissociative fugue
- Dissociative identity disorder
- Distal intestinal obstruction syndrome
-
- Distractibility
- Distraction osteogenesis
- Distributive shock
- Disturbance in attention
- Disturbance in sexual arousal
- Disturbance in social behaviour
- Disuse syndrome
- Diuretic therapy
- Diverticular fistula
- Diverticular hernia
- Diverticular perforation
- Diverticulectomy
- Diverticulitis
- Diverticulitis intestinal haemorrhagic
-
- Diverticulitis intestinal perforated
- Diverticulum
- Diverticulum gastric
- Diverticulum intestinal
- Diverticulum intestinal haemorrhagic
- Diverticulum oesophageal
- Divorced
- Dizziness
- Dizziness exertional
- Dizziness postural
- Documented hypersensitivity to
- administered drug
- Documented hypersensitivity to
- administered product
- Dolichocolon
- Dolichocolon acquired
- Donor specific antibody present
- Dopamine transporter scintigraphy
- Dopamine transporter scintigraphy
- abnormal
- Dorsal ramus syndrome
- Dose calculation error
- Double cortex syndrome
- Double heterozygous sickling disorders
-
- Double hit lymphoma
- Double outlet right ventricle
- Double stranded DNA antibody
- Double stranded DNA antibody positive
-
- Double ureter
- Douglas' abscess
- Drain of cerebral subdural space
- Drain placement
- Drain removal
- Drain site complication
- Drainage
- Dreamy state
- Dressler's syndrome
- Drooling
- Drooping shoulder syndrome
- Drop attacks
- Dropped head syndrome
- Drowning
- Drug abuse
- Drug abuser
- Drug administered at inappropriate site
-
- Drug administered in wrong device
- Drug administered to patient of
- inappropriate age
- Drug administration error
- Drug clearance
- Drug clearance increased
- Drug dechallenge positive
- Drug delivery system malfunction
- Drug dependence
- Drug dispensed to wrong patient
- Drug dispensing error
- Drug dose omission
- Drug dose omission by device
- Drug effect decreased
- Drug effect delayed
- Drug effect incomplete
- Drug effect increased
- Drug effect less than expected
- Drug effective for unapproved indication
-
- Drug eruption
- Drug exposure before pregnancy
- Drug exposure during pregnancy
- Drug exposure via breast milk
- Drug hypersensitivity
- Drug ineffective
- Drug ineffective for unapproved
- indication
- Drug interaction
- Drug intolerance
- Drug label confusion
- Drug level
- Drug level above therapeutic
- Drug level below therapeutic
- Drug level decreased
- Drug level fluctuating
- Drug level increased
- Drug level therapeutic
- Drug metabolising enzyme test abnormal
-
- Drug monitoring procedure
- incorrectly performed
- Drug monitoring procedure not performed
-
- Drug name confusion
- Drug prescribing error
- Drug provocation test
- Drug rash with eosinophilia and
- systemic symptoms
- Drug reaction with
- eosinophilia and systemic symptoms
- Drug resistance
- Drug screen
- Drug screen false positive
- Drug screen negative
- Drug screen positive
- Drug specific antibody
- Drug specific antibody absent
- Drug specific antibody present
- Drug therapy
- Drug titration error
- Drug tolerance
- Drug tolerance decreased
- Drug tolerance increased
- Drug toxicity
- Drug trough level
- Drug use disorder
- Drug use for unknown indication
- Drug withdrawal convulsions
- Drug withdrawal headache
- Drug withdrawal maintenance therapy
- Drug withdrawal syndrome
- Drug withdrawal syndrome neonatal
- Drug-device incompatibility
- Drug-device interaction
- Drug-disease interaction
- Drug-genetic interaction
- Drug-induced liver injury
- Dry age-related macular degeneration
- Dry eye
- Dry gangrene
- Dry lung syndrome
- Dry mouth
- Dry skin
- Dry skin prophylaxis
- Dry throat
- Dry weight evaluation
- Duane's syndrome
- Duchenne muscular dystrophy
- Ductal adenocarcinoma of pancreas
- Ductus arteriosus premature closure
- Dumping syndrome
- Duodenal obstruction
- Duodenal operation
- Duodenal perforation
- Duodenal polyp
- Duodenal rupture
- Duodenal stenosis
- Duodenal ulcer
- Duodenal ulcer haemorrhage
- Duodenal ulcer perforation
- Duodenal ulcer repair
- Duodenitis
- Duodenitis haemorrhagic
- Duodenogastric reflux
- Duodenostomy
- Duplicate therapy error
- Dupuytren's contracture
- Dupuytren's contracture operation
- Dural arteriovenous fistula
- Dural tear
- Dust allergy
- Dwarfism
- Dysacusis
- Dysaesthesia
- Dysaesthesia pharynx
- Dysania
- Dysarthria
- Dysbacteriosis
- Dysbiosis
- Dyscalculia
- Dyschezia
- Dyschromatopsia
- Dysdiadochokinesis
- Dysentery
- Dysfunctional uterine bleeding
- Dysgeusia
- Dysglobulinaemia
- Dysgraphia
- Dyshidrosis
- Dyshidrotic eczema
- Dyskinesia
- Dyskinesia oesophageal
- Dyslalia
- Dyslexia
- Dyslipidaemia
- Dysmenorrhoea
- Dysmetria
- Dysmetropsia
- Dysmorphism
- Dysmyelination
- Dyspareunia
- Dyspepsia
- Dysphagia
- Dysphasia
- Dysphemia
- Dysphonia
- Dysphonia psychogenic
- Dysphoria
- Dysphotopsia
- Dysplasia
- Dysplastic naevus
- Dyspnoea
- Dyspnoea at rest
- Dyspnoea exertional
- Dyspnoea paroxysmal nocturnal
- Dysponesis
- Dyspraxia
- Dysprosody
- Dyssomnia
- Dysstasia
- Dysthymic disorder
- Dystonia
- Dystonic tremor
- Dystrophic calcification
- Dysuria
- ECG P wave inverted
- ECG electrically inactive area
- ECG signs of myocardial infarction
- ECG signs of myocardial ischaemia
- ECG signs of ventricular hypertrophy
- EGFR gene mutation
- EGFR status assay
- Eagle's syndrome
- Eales' disease
- Ear abrasion
- Ear and hearing disorder prophylaxis
- Ear canal erythema
- Ear canal injury
- Ear canal stenosis
- Ear congestion
- Ear deformity acquired
- Ear discomfort
- Ear disorder
- Ear haemorrhage
- Ear infection
- Ear infection bacterial
- Ear infection fungal
- Ear infection staphylococcal
- Ear infection viral
- Ear inflammation
- Ear injury
- Ear irrigation
- Ear lobe infection
- Ear malformation
- Ear neoplasm
- Ear odour
- Ear operation
- Ear pain
- Ear piercing
- Ear pruritus
- Ear swelling
- Ear tube insertion
- Ear, nose and throat disorder
- Ear, nose and throat examination
- Ear, nose and throat examination
- abnormal
- Ear, nose and throat examination normal
-
- Ear, nose and throat infection
- Early infantile
- epileptic encephalopathy with burst-suppression
- Early morning awakening
- Early onset familial Alzheimer's disease
-
- Early repolarisation syndrome
- Early retirement
- Early satiety
- Early sexual debut
- Eastern Cooperative Oncology
- Group performance status
- Eastern Cooperative
- Oncology Group performance status worsened
- Eating disorder
- Eating disorder symptom
- Ebola disease
- Ebstein's anomaly
- Eccentric fixation
- Ecchymosis
- Echinococciasis
- Echo virus infection
- Echocardiogram
- Echocardiogram abnormal
- Echocardiogram normal
- Echoencephalogram
- Echoencephalogram normal
- Echography abnormal
- Echography normal
- Echolalia
- Echopraxia
- Echovirus test
- Echovirus test negative
- Eclampsia
- Economic problem
- Ecouvillonage
- Ecthyma
- Ectopia cordis
- Ectopic kidney
- Ectopic pregnancy
- Ectopic pregnancy termination
- Ectopic pregnancy with contraceptive
- device
- Ectopic thyroid
- Ectrodactyly
- Ectropion
- Ectropion of cervix
- Eczema
- Eczema asteatotic
- Eczema eyelids
- Eczema herpeticum
- Eczema impetiginous
- Eczema infantile
- Eczema infected
- Eczema nummular
- Eczema vaccinatum
- Eczema vesicular
- Eczema weeping
- Edentulous
- Educational problem
- Effusion
- Egobronchophony
- Ehlers-Danlos syndrome
- Ehrlichia serology
- Ehrlichia test
- Ehrlichia test positive
- Ejaculation delayed
- Ejaculation disorder
- Ejaculation failure
- Ejection fraction
- Ejection fraction abnormal
- Ejection fraction decreased
- Ejection fraction normal
- Elbow deformity
- Elbow operation
- Elderly
- Elective procedure
- Elective surgery
- Electric injury
- Electric shock
- Electric shock sensation
- Electrocardiogram
- Electrocardiogram J wave
- Electrocardiogram J wave abnormal
- Electrocardiogram J wave increased
- Electrocardiogram P wave
- Electrocardiogram P wave abnormal
- Electrocardiogram P wave biphasic
- Electrocardiogram P wave normal
- Electrocardiogram PQ interval
- Electrocardiogram PQ interval prolonged
-
- Electrocardiogram PR interval
- Electrocardiogram PR prolongation
- Electrocardiogram PR segment depression
-
- Electrocardiogram PR segment elevation
-
- Electrocardiogram PR shortened
- Electrocardiogram Q wave abnormal
- Electrocardiogram Q waves
- Electrocardiogram QRS complex
- Electrocardiogram QRS complex abnormal
-
- Electrocardiogram QRS complex normal
- Electrocardiogram QRS complex prolonged
-
- Electrocardiogram QRS complex shortened
-
- Electrocardiogram QT corrected
- interval prolonged
- Electrocardiogram QT interval
- Electrocardiogram QT interval abnormal
-
- Electrocardiogram QT interval normal
- Electrocardiogram QT prolonged
- Electrocardiogram QT shortened
- Electrocardiogram R on T phenomenon
- Electrocardiogram RR interval
- Electrocardiogram S1-S2-S3 pattern
- Electrocardiogram ST segment
- Electrocardiogram ST segment abnormal
-
- Electrocardiogram ST segment depression
-
- Electrocardiogram ST segment elevation
-
- Electrocardiogram ST segment normal
- Electrocardiogram ST-T change
- Electrocardiogram ST-T segment abnormal
-
- Electrocardiogram ST-T segment
- depression
- Electrocardiogram ST-T segment elevation
-
- Electrocardiogram T wave abnormal
- Electrocardiogram T wave amplitude
- decreased
- Electrocardiogram T wave amplitude
- increased
- Electrocardiogram T wave biphasic
- Electrocardiogram T wave inversion
- Electrocardiogram T wave normal
- Electrocardiogram T wave peaked
- Electrocardiogram U wave present
- Electrocardiogram U-wave abnormality
- Electrocardiogram abnormal
- Electrocardiogram ambulatory
- Electrocardiogram ambulatory abnormal
-
- Electrocardiogram ambulatory normal
- Electrocardiogram change
- Electrocardiogram delta waves abnormal
-
- Electrocardiogram low voltage
- Electrocardiogram normal
- Electrocardiogram pacemaker spike
- Electrocardiogram poor R-wave
- progression
- Electrocardiogram repolarisation
- abnormality
- Electrocauterisation
- Electrocoagulation
- Electrocochleogram
- Electrocochleogram abnormal
- Electroconvulsive therapy
- Electrocorticogram
- Electrocution
- Electrodesiccation
- Electroencephalogram
- Electroencephalogram abnormal
- Electroencephalogram normal
- Electrogastrogram
- Electroglottography
- Electrolyte depletion
- Electrolyte imbalance
- Electrolyte substitution therapy
- Electromagnetic interference
- Electromechanical dissociation
- Electromyogram
- Electromyogram abnormal
- Electromyogram normal
- Electroneurography
- Electroneuromyography
- Electronic cigarette user
- Electronystagmogram
- Electronystagmogram abnormal
- Electronystagmogram normal
- Electrooculogram
- Electrooculogram normal
- Electrophoresis
- Electrophoresis abnormal
- Electrophoresis normal
- Electrophoresis protein
- Electrophoresis protein abnormal
- Electrophoresis protein normal
- Elephantiasis
- Elevated mood
- Elliptocytosis
- Elliptocytosis hereditary
- Elsberg syndrome
- Embedded device
- Embolia cutis medicamentosa
- Embolic cerebellar infarction
- Embolic cerebral infarction
- Embolic pneumonia
- Embolic stroke
- Embolism
- Embolism arterial
- Embolism venous
- Emergency care
- Emergency care examination
- Emergency care examination normal
- Emetophobia
- Emotional disorder
- Emotional disorder of childhood
- Emotional distress
- Emotional poverty
- Emphysema
- Emphysematous cystitis
- Emphysematous pyelonephritis
- Empty sella syndrome
- Empyema
- Empyema drainage
- Enamel anomaly
- Enanthema
- Encapsulation reaction
- Encephalitis
- Encephalitis Japanese B
- Encephalitis allergic
- Encephalitis autoimmune
- Encephalitis brain stem
- Encephalitis california
- Encephalitis cytomegalovirus
- Encephalitis enteroviral
- Encephalitis haemorrhagic
- Encephalitis herpes
- Encephalitis influenzal
- Encephalitis lethargica
- Encephalitis meningococcal
- Encephalitis mumps
- Encephalitis post immunisation
- Encephalitis post measles
- Encephalitis post varicella
- Encephalitis rickettsial
- Encephalitis toxic
- Encephalitis viral
- Encephalocele
- Encephalocele repair
- Encephalomalacia
- Encephalomyelitis
- Encephalomyelitis viral
- Encephalopathy
- Encephalopathy allergic
- Encephalopathy neonatal
- Enchondromatosis
- Encopresis
- End stage renal disease
- End-tidal CO2
- End-tidal CO2 decreased
- End-tidal CO2 increased
- Endarterectomy
- Endobronchial ultrasound
- Endobronchial ultrasound
- transbronchial needle aspiration
- Endobronchial valve implantation
- Endocardial disease
- Endocardial fibroelastosis
- Endocardial fibrosis
- Endocarditis
- Endocarditis Q fever
- Endocarditis bacterial
- Endocarditis enterococcal
- Endocarditis fibroplastica
- Endocarditis histoplasma
- Endocarditis noninfective
- Endocarditis rheumatic
- Endocarditis staphylococcal
- Endocarditis viral
- Endocervical curettage
- Endocervical mucosal thickening
- Endocrine disorder
- Endocrine hypertension
- Endocrine neoplasm malignant
- Endocrine ophthalmopathy
- Endocrine system examination
- Endocrine test
- Endocrine test abnormal
- Endocrine test normal
- Endodontic procedure
- Endolymphatic hydrops
- Endometrial ablation
- Endometrial adenocarcinoma
- Endometrial atrophy
- Endometrial cancer
- Endometrial cancer stage I
- Endometrial cancer stage II
- Endometrial cancer stage III
- Endometrial disorder
- Endometrial dysplasia
- Endometrial hyperplasia
- Endometrial hypertrophy
- Endometrial hypoplasia
- Endometrial neoplasm
- Endometrial scratching
- Endometrial thickening
- Endometriosis
- Endometriosis ablation
- Endometritis
- Endometritis decidual
- Endophthalmitis
- Endoscopic retrograde
- cholangiopancreatography
- Endoscopic retrograde
- cholangiopancreatography abnormal
- Endoscopic retrograde
- cholangiopancreatography normal
- Endoscopic swallowing evaluation
- Endoscopic swallowing evaluation
- abnormal
- Endoscopic ultrasound
- Endoscopic ultrasound abnormal
- Endoscopic ultrasound normal
- Endoscopy
- Endoscopy abnormal
- Endoscopy biliary tract
- Endoscopy gastrointestinal
- Endoscopy gastrointestinal abnormal
- Endoscopy gastrointestinal normal
- Endoscopy large bowel
- Endoscopy large bowel abnormal
- Endoscopy normal
- Endoscopy small intestine
- Endoscopy small intestine abnormal
- Endoscopy small intestine normal
- Endoscopy upper gastrointestinal tract
-
- Endoscopy upper gastrointestinal
- tract abnormal
- Endoscopy upper gastrointestinal
- tract normal
- Endothelial dysfunction
- Endothelin
- Endothelin abnormal
- Endotoxaemia
- Endotracheal intubation
- Endotracheal intubation complication
- Endovenous ablation
- Enema administration
- Energy increased
- Engraft failure
- Enlarged cerebral perivascular spaces
-
- Enlarged clitoris
- Enlarged foetal cisterna magna
- Enlarged uvula
- Enophthalmos
- Enostosis
- Enteral nutrition
- Enteric duplication
- Enteric neuropathy
- Enteritis
- Enteritis infectious
- Enteritis necroticans
- Enterobacter bacteraemia
- Enterobacter infection
- Enterobacter pneumonia
- Enterobacter sepsis
- Enterobacter test positive
- Enterobiasis
- Enteroclysis
- Enterococcal bacteraemia
- Enterococcal infection
- Enterococcal sepsis
- Enterococcus test
- Enterococcus test positive
- Enterocolitis
- Enterocolitis bacterial
- Enterocolitis haemorrhagic
- Enterocolitis infectious
- Enterocolitis viral
- Enterocutaneous fistula
- Enteropathic spondylitis
- Enteropathy-associated T-cell lymphoma
-
- Enterorrhaphy
- Enterostomy
- Enterovesical fistula
- Enterovirus infection
- Enterovirus myocarditis
- Enterovirus serology test
- Enterovirus serology test negative
- Enterovirus serology test positive
- Enterovirus test
- Enterovirus test negative
- Enterovirus test positive
- Enthesopathy
- Enthesophyte
- Entropion
- Enuresis
- Environmental exposure
- Enzyme abnormality
- Enzyme activity assay
- Enzyme activity decreased
- Enzyme activity normal
- Enzyme level abnormal
- Enzyme level increased
- Enzyme level test
- Enzyme supplementation
- Eosinopenia
- Eosinophil cationic protein
- Eosinophil cationic protein increased
-
- Eosinophil count
- Eosinophil count abnormal
- Eosinophil count decreased
- Eosinophil count increased
- Eosinophil count normal
- Eosinophil morphology
- Eosinophil percentage
- Eosinophil percentage abnormal
- Eosinophil percentage decreased
- Eosinophil percentage increased
- Eosinophilia
- Eosinophilia myalgia syndrome
- Eosinophilic bronchitis
- Eosinophilic cellulitis
- Eosinophilic colitis
- Eosinophilic fasciitis
- Eosinophilic gastritis
- Eosinophilic granulomatosis with
- polyangiitis
- Eosinophilic myocarditis
- Eosinophilic oesophagitis
- Eosinophilic pleural effusion
- Eosinophilic pneumonia
- Eosinophilic pneumonia acute
- Eosinophilic pneumonia chronic
- Eosinophilic pustular folliculitis
- Eosinophilic pustulosis
- Eosinophils urine
- Eosinophils urine present
- Ependymoma
- Ephelides
- Epicondylitis
- Epidemic nephropathy
- Epidemic polyarthritis
- Epidermal naevus
- Epidermal naevus syndrome
- Epidermal necrosis
- Epidermodysplasia verruciformis
- Epidermoid cyst excision
- Epidermolysis
- Epidermolysis bullosa
- Epididymal cyst
- Epididymal disorder
- Epididymal enlargement
- Epididymal tenderness
- Epididymitis
- Epidural anaesthesia
- Epidural analgesia
- Epidural blood patch
- Epidural catheter placement
- Epidural haemorrhage
- Epidural injection
- Epidural lipomatosis
- Epidural test dose
- Epigastric discomfort
- Epiglottic cancer
- Epiglottic erythema
- Epiglottic mass
- Epiglottic oedema
- Epiglottis ulcer
- Epiglottitis
- Epiglottitis haemophilus
- Epiglottitis obstructive
- Epilepsia partialis continua
- Epilepsy
- Epilepsy congenital
- Epilepsy with myoclonic-atonic seizures
-
- Epileptic aura
- Epileptic encephalopathy
- Epileptic psychosis
- Epinephrine
- Epinephrine abnormal
- Epinephrine decreased
- Epinephrine increased
- Epiphyseal disorder
- Epiphyseal injury
- Epiphyses delayed fusion
- Epiphyses premature fusion
- Epiphysiolysis
- Epiploic appendagitis
- Epiretinal membrane
- Episcleritis
- Episiotomy
- Epistaxis
- Epithelioid mesothelioma
- Epithelioid sarcoma
- Epstein Barr virus positive
- mucocutaneous ulcer
- Epstein-Barr viraemia
- Epstein-Barr virus antibody
- Epstein-Barr virus antibody negative
- Epstein-Barr virus antibody positive
- Epstein-Barr virus antigen positive
- Epstein-Barr virus associated lymphoma
-
- Epstein-Barr virus
- associated lymphoproliferative disorder
- Epstein-Barr virus infection
- Epstein-Barr virus infection
- reactivation
- Epstein-Barr virus test
- Epstein-Barr virus test negative
- Epstein-Barr virus test positive
- Erb's palsy
- Erdheim-Chester disease
- Erectile dysfunction
- Erection increased
- Ergot poisoning
- Ergotherapy
- Erosive duodenitis
- Erosive oesophagitis
- Eructation
- Erysipelas
- Erysipeloid
- Erythema
- Erythema ab igne
- Erythema annulare
- Erythema dyschromicum perstans
- Erythema elevatum diutinum
- Erythema induratum
- Erythema infectiosum
- Erythema marginatum
- Erythema migrans
- Erythema multiforme
- Erythema nodosum
- Erythema of eyelid
- Erythema toxicum neonatorum
- Erythematotelangiectatic rosacea
- Erythrasma
- Erythroblast count
- Erythroblast count abnormal
- Erythroblast count normal
- Erythroblast morphology
- Erythroblastosis
- Erythroblastosis foetalis
- Erythrocyanosis
- Erythrocyte electrophoretic index
- increased
- Erythrocyte osmotic fragility test
- Erythrodermic atopic dermatitis
- Erythrodermic psoriasis
- Erythroid series abnormal
- Erythromelalgia
- Erythropenia
- Erythroplasia
- Erythropoiesis abnormal
- Erythropoietin deficiency anaemia
- Erythropsia
- Erythrosis
- Eschar
- Escherichia bacteraemia
- Escherichia infection
- Escherichia pyelonephritis
- Escherichia sepsis
- Escherichia test
- Escherichia test negative
- Escherichia test positive
- Escherichia urinary tract infection
- Essential hypertension
- Essential thrombocythaemia
- Essential tremor
- Ethanol gelation test negative
- Ethmoid sinus surgery
- Eubacterium infection
- Euglycaemic diabetic ketoacidosis
- Euphoric mood
- Eustachian tube disorder
- Eustachian tube dysfunction
- Eustachian tube obstruction
- Eustachian tube operation
- Eustachian tube patulous
- Euthyroid sick syndrome
- Evacuation of retained products of
- conception
- Evans syndrome
- Evidence based treatment
- Ewing's sarcoma
- Ex vivo gene therapy
- Ex-alcohol user
- Ex-drug abuser
- Ex-tobacco user
- Exaggerated startle response
- Exanthema subitum
- Excessive cerumen production
- Excessive dietary supplement intake
- Excessive exercise
- Excessive eye blinking
- Excessive granulation tissue
- Excessive masturbation
- Excessive ocular convergence
- Excessive skin
- Exchange blood transfusion
- Excitability
- Excoriation
- Executive dysfunction
- Exercise adequate
- Exercise electrocardiogram
- Exercise electrocardiogram abnormal
- Exercise electrocardiogram normal
- Exercise lack of
- Exercise test
- Exercise test abnormal
- Exercise test normal
- Exercise tolerance decreased
- Exercise tolerance increased
- Exeresis
- Exertional headache
- Exfoliation syndrome
- Exfoliative rash
- Exhibitionism
- Exocrine pancreatic function test
- Exocrine pancreatic function test
- abnormal
- Exocrine pancreatic function test normal
-
- Exomphalos
- Exophthalmos
- Exostosis
- Exostosis of jaw
- Expanded disability status scale
- Expanded disability status scale
- score decreased
- Expanded disability status scale
- score increased
- Expiratory reserve volume
- Expired device used
- Expired drug administered
- Expired product administered
- Exploding head syndrome
- Explorative laparotomy
- Exploratory operation
- Exposed bone in jaw
- Exposure during breast feeding
- Exposure during pregnancy
- Exposure keratitis
- Exposure to SARS-CoV-2
- Exposure to allergen
- Exposure to body fluid
- Exposure to chemical pollution
- Exposure to communicable disease
- Exposure to contaminated air
- Exposure to contaminated device
- Exposure to contaminated water
- Exposure to extreme temperature
- Exposure to fungus
- Exposure to mould
- Exposure to noise
- Exposure to radiation
- Exposure to tobacco
- Exposure to toxic agent
- Exposure to unspecified agent
- Exposure to vaccinated person
- Exposure via blood
- Exposure via body fluid
- Exposure via breast milk
- Exposure via contaminated device
- Exposure via direct contact
- Exposure via eye contact
- Exposure via father
- Exposure via ingestion
- Exposure via inhalation
- Exposure via mucosa
- Exposure via partner
- Exposure via skin contact
- Exposure via transplant
- Exposure via unknown route
- Expressive language disorder
- Expulsion of medication
- Exsanguination
- Extensive swelling of vaccinated limb
-
- Extensor plantar response
- External auditory canal atresia
- External cephalic version
- External compression headache
- External ear cellulitis
- External ear disorder
- External ear inflammation
- External ear pain
- External fixation of fracture
- External hydrocephalus
- External vagal nerve stimulation
- Extra dose administered
- Extracorporeal membrane oxygenation
- Extradural abscess
- Extradural haematoma
- Extradural neoplasm
- Extramedullary haemopoiesis
- Extranodal marginal zone
- B-cell lymphoma (MALT type)
- Extraocular muscle disorder
- Extraocular muscle paresis
- Extrapulmonary tuberculosis
- Extrapyramidal disorder
- Extraskeletal ossification
- Extrasystoles
- Extravasation
- Extravasation blood
- Extremity contracture
- Extremity necrosis
- Extubation
- Exudative retinopathy
- Eye abrasion
- Eye abscess
- Eye allergy
- Eye burns
- Eye colour change
- Eye complication associated with device
-
- Eye contusion
- Eye degenerative disorder
- Eye discharge
- Eye disorder
- Eye drop instillation
- Eye excision
- Eye exercises
- Eye haemangioma
- Eye haematoma
- Eye haemorrhage
- Eye infarction
- Eye infection
- Eye infection bacterial
- Eye infection chlamydial
- Eye infection fungal
- Eye infection intraocular
- Eye infection staphylococcal
- Eye infection syphilitic
- Eye infection toxoplasmal
- Eye infection viral
- Eye inflammation
- Eye injury
- Eye irrigation
- Eye irritation
- Eye laser surgery
- Eye luxation
- Eye movement disorder
- Eye muscle entrapment
- Eye muscle operation
- Eye muscle recession
- Eye naevus
- Eye oedema
- Eye opacity
- Eye operation
- Eye pH test
- Eye pain
- Eye paraesthesia
- Eye patch application
- Eye penetration
- Eye prosthesis insertion
- Eye pruritus
- Eye rolling
- Eye swelling
- Eye symptom
- Eye ulcer
- Eyeball avulsion
- Eyeglasses therapy
- Eyelash changes
- Eyelash discolouration
- Eyelid abrasion
- Eyelid bleeding
- Eyelid boil
- Eyelid contusion
- Eyelid cyst
- Eyelid cyst removal
- Eyelid disorder
- Eyelid erosion
- Eyelid exfoliation
- Eyelid function disorder
- Eyelid haematoma
- Eyelid infection
- Eyelid injury
- Eyelid irritation
- Eyelid margin crusting
- Eyelid myoclonus
- Eyelid myokymia
- Eyelid oedema
- Eyelid operation
- Eyelid pain
- Eyelid ptosis
- Eyelid ptosis congenital
- Eyelid rash
- Eyelid retraction
- Eyelid scar
- Eyelid sensory disorder
- Eyelid skin dryness
- Eyelid thickening
- Eyelid tumour
- Eyelid vascular disorder
- Eyelids pruritus
- Eyes sunken
- FEV1/FVC ratio
- FEV1/FVC ratio abnormal
- FEV1/FVC ratio decreased
- FIP1L1/PDGFR alpha fusion kinase
- positive
- FLT3 gene mutation
- Fabry's disease
- Face and mouth X-ray
- Face and mouth X-ray abnormal
- Face and mouth X-ray normal
- Face crushing
- Face injury
- Face lift
- Face oedema
- Face presentation
- Facet joint block
- Facet joint syndrome
- Facetectomy
- Facial asymmetry
- Facial bones fracture
- Facial discomfort
- Facial dysmorphism
- Facial myokymia
- Facial nerve disorder
- Facial nerve exploration
- Facial neuralgia
- Facial operation
- Facial pain
- Facial palsy
- Facial paralysis
- Facial paresis
- Facial spasm
- Facial wasting
- Faciobrachial dystonic seizure
- Facioscapulohumeral muscular dystrophy
-
- Factitious disorder
- Factor I deficiency
- Factor II deficiency
- Factor II mutation
- Factor IX deficiency
- Factor IX inhibition
- Factor V Leiden carrier
- Factor V Leiden mutation
- Factor V deficiency
- Factor V inhibition
- Factor VII deficiency
- Factor VIII activity normal
- Factor VIII activity test
- Factor VIII deficiency
- Factor VIII inhibition
- Factor X deficiency
- Factor XI deficiency
- Factor XII deficiency
- Factor XIII deficiency
- Factor Xa activity increased
- Factor Xa activity test
- Faecal calprotectin
- Faecal calprotectin abnormal
- Faecal calprotectin decreased
- Faecal calprotectin increased
- Faecal calprotectin normal
- Faecal disimpaction
- Faecal elastase concentration decreased
-
- Faecal elastase test
- Faecal fat increased
- Faecal fat test
- Faecal incontinence
- Faecal lactoferrin increased
- Faecal volume
- Faecal volume decreased
- Faecal volume increased
- Faecal vomiting
- Faecalith
- Faecaloma
- Faeces discoloured
- Faeces hard
- Faeces pale
- Faeces soft
- Failed in vitro fertilisation
- Failed induction of labour
- Failed trial of labour
- Failure to suspend medication
- Failure to thrive
- Fall
- Fallopian tube abscess
- Fallopian tube cancer
- Fallopian tube cancer metastatic
- Fallopian tube cancer stage III
- Fallopian tube cyst
- Fallopian tube disorder
- Fallopian tube neoplasm
- Fallopian tube obstruction
- Fallopian tube operation
- Fallopian tube perforation
- Fallopian tube spasm
- Fallot's tetralogy
- False labour
- False lumen dilatation of aortic
- dissection
- False negative investigation result
- False negative pregnancy test
- False positive investigation result
- False positive laboratory result
- False positive radioisotope
- investigation result
- False positive tuberculosis test
- Familial amyotrophic lateral sclerosis
-
- Familial haemophagocytic
- lymphohistiocytosis
- Familial hemiplegic migraine
- Familial mediterranean fever
- Familial periodic paralysis
- Familial risk factor
- Familial tremor
- Family stress
- Fascia release
- Fascial infection
- Fascial operation
- Fascial rupture
- Fasciectomy
- Fasciitis
- Fascioliasis
- Fasciolopsiasis
- Fasciotomy
- Fasting
- Fat embolism
- Fat intolerance
- Fat necrosis
- Fat tissue decreased
- Fat tissue increased
- Fatigue
- Fatty acid deficiency
- Fatty liver alcoholic
- Fear
- Fear of closed spaces
- Fear of crowded places
- Fear of death
- Fear of disease
- Fear of eating
- Fear of falling
- Fear of injection
- Fear of needles
- Fear of open spaces
- Fear of pregnancy
- Fear of weight gain
- Fear-related avoidance of activities
- Febrile bone marrow aplasia
- Febrile convulsion
- Febrile infection
- Febrile infection-related epilepsy
- syndrome
- Febrile neutropenia
- Febrile status epilepticus
- Feeding disorder
- Feeding disorder neonatal
- Feeding disorder of infancy or
- early childhood
- Feeding intolerance
- Feeding tube user
- Feeling abnormal
- Feeling cold
- Feeling drunk
- Feeling guilty
- Feeling hot
- Feeling hot and cold
- Feeling jittery
- Feeling of body temperature change
- Feeling of despair
- Feeling of relaxation
- Feelings of worthlessness
- Female genital organs X-ray
- Female genital tract fistula
- Female orgasmic disorder
- Female reproductive tract disorder
- Female sex hormone level
- Female sex hormone level abnormal
- Female sexual arousal disorder
- Female sexual dysfunction
- Female sterilisation
- Feminisation acquired
- Femoral anteversion
- Femoral artery embolism
- Femoral artery occlusion
- Femoral hernia
- Femoral hernia repair
- Femoral neck fracture
- Femoral nerve injury
- Femoral nerve palsy
- Femoral pulse
- Femoral pulse decreased
- Femoroacetabular impingement
- Femur fracture
- Fertility increased
- Fever neonatal
- Fibrillary glomerulonephritis
- Fibrin
- Fibrin D dimer
- Fibrin D dimer decreased
- Fibrin D dimer increased
- Fibrin D dimer normal
- Fibrin abnormal
- Fibrin degradation products
- Fibrin degradation products increased
-
- Fibrin degradation products normal
- Fibrin increased
- Fibrin normal
- Fibrinogen degradation products
- increased
- Fibrinolysis
- Fibrinolysis abnormal
- Fibrinolysis increased
- Fibrinolysis normal
- Fibrinous bronchitis
- Fibroadenoma of breast
- Fibroblast growth factor 23
- Fibroblast growth factor 23 increased
-
- Fibrocystic breast disease
- Fibrodysplasia ossificans progressiva
-
- Fibroma
- Fibromatosis
- Fibromuscular dysplasia
- Fibromyalgia
- Fibronectin
- Fibronectin decreased
- Fibronectin increased
- Fibronectin normal
- Fibrosarcoma
- Fibrosis
- Fibrosis tendinous
- Fibrous cortical defect
- Fibrous histiocytoma
- Fibula fracture
- Fiducial marker placement
- Fight in school
- Fine motor delay
- Fine motor skill dysfunction
- Finger amputation
- Finger deformity
- Finger licking
- Finger repair operation
- Finger tapping test
- Fingerprint loss
- Finkelstein test
- First bite syndrome
- First trimester pregnancy
- Fistula
- Fistula discharge
- Fistula of small intestine
- Fistulogram
- Fixed bowel loop
- Fixed drug eruption
- Fixed eruption
- Flagellate dermatitis
- Flail chest
- Flank pain
- Flashback
- Flat affect
- Flat chest
- Flatback syndrome
- Flatulence
- Flavivirus test
- Flavivirus test negative
- Flavivirus test positive
- Flea infestation
- Flight of ideas
- Floating patella
- Flooding
- Floppy eyelid syndrome
- Floppy infant
- Flour sensitivity
- Flow cytometry
- Fluctuance
- Fluid balance assessment
- Fluid balance negative
- Fluid balance positive
- Fluid imbalance
- Fluid intake reduced
- Fluid intake restriction
- Fluid overload
- Fluid replacement
- Fluid retention
- Fluid wave test
- Fluorescence angiogram
- Fluorescence angiogram abnormal
- Fluorescence angiogram normal
- Fluorescent in situ hybridisation
- Fluorescent in situ hybridisation
- negative
- Fluorescent in situ hybridisation
- positive
- Flushing
- Foaming at mouth
- Focal dyscognitive seizures
- Focal myositis
- Focal nodular hyperplasia
- Focal peritonitis
- Focal segmental glomerulosclerosis
- Foetal activity test
- Foetal anaemia
- Foetal arrhythmia
- Foetal biophysical profile score
- Foetal biophysical profile score
- abnormal
- Foetal biophysical profile score normal
-
- Foetal cardiac arrest
- Foetal cardiac disorder
- Foetal cerebrovascular disorder
- Foetal chromosome abnormality
- Foetal cystic hygroma
- Foetal damage
- Foetal death
- Foetal disorder
- Foetal distress syndrome
- Foetal exposure during pregnancy
- Foetal exposure timing unspecified
- Foetal gastrointestinal tract
- imaging abnormal
- Foetal growth abnormality
- Foetal growth restriction
- Foetal growth retardation
- Foetal haemoglobin
- Foetal haemoglobin decreased
- Foetal haemoglobin increased
- Foetal heart rate
- Foetal heart rate abnormal
- Foetal heart rate acceleration
- abnormality
- Foetal heart rate deceleration
- Foetal heart rate deceleration
- abnormality
- Foetal heart rate decreased
- Foetal heart rate disorder
- Foetal heart rate increased
- Foetal heart rate indeterminate
- Foetal heart rate normal
- Foetal hypokinesia
- Foetal macrosomia
- Foetal malformation
- Foetal malnutrition
- Foetal malposition
- Foetal malpresentation
- Foetal megacystis
- Foetal monitoring
- Foetal monitoring abnormal
- Foetal monitoring normal
- Foetal movement disorder
- Foetal movements decreased
- Foetal non-stress test
- Foetal non-stress test abnormal
- Foetal non-stress test normal
- Foetal placental thrombosis
- Foetal renal imaging abnormal
- Foetal renal impairment
- Foetal therapeutic procedure
- Foetal vascular malperfusion
- Foetal warfarin syndrome
- Foetal weight
- Foetal-maternal haemorrhage
- Folate deficiency
- Follicle centre lymphoma
- diffuse small cell lymphoma
- Follicle centre lymphoma,
- follicular grade I, II, III
- Follicular cystitis
- Follicular disorder
- Follicular eczema
- Follicular lymphoma
- Follicular lymphoma stage I
- Follicular lymphoma stage II
- Follicular lymphoma stage III
- Follicular lymphoma stage IV
- Follicular mucinosis
- Folliculitis
- Folliculitis barbae
- Fontanelle bulging
- Fontanelle depressed
- Food allergy
- Food aversion
- Food contamination
- Food craving
- Food interaction
- Food intolerance
- Food poisoning
- Food protein-induced enterocolitis
- syndrome
- Food protein-induced enteropathy
- Food refusal
- Foot amputation
- Foot and mouth disease
- Foot deformity
- Foot fracture
- Foot operation
- Foot prosthesis user
- Foramen magnum stenosis
- Foraminotomy
- Forced expiratory flow
- Forced expiratory flow decreased
- Forced expiratory volume
- Forced expiratory volume abnormal
- Forced expiratory volume decreased
- Forced expiratory volume increased
- Forced expiratory volume normal
- Forced vital capacity
- Forced vital capacity decreased
- Forced vital capacity increased
- Forced vital capacity normal
- Forceps delivery
- Fordyce spots
- Forearm fracture
- Foreign body
- Foreign body aspiration
- Foreign body in ear
- Foreign body in eye
- Foreign body in gastrointestinal tract
-
- Foreign body in mouth
- Foreign body in respiratory tract
- Foreign body in skin or subcutaneous
- tissue
- Foreign body in throat
- Foreign body in urogenital tract
- Foreign body ingestion
- Foreign body reaction
- Foreign body sensation in eyes
- Foreign body trauma
- Foreign travel
- Foreskin oedema
- Formication
- Foster care
- Fournier's gangrene
- Foveal reflex abnormal
- Fowler's position
- Fowler's syndrome
- Fraction of inspired oxygen
- Fractional excretion of sodium
- Fractional exhaled nitric oxide
- Fractional exhaled nitric oxide abnormal
-
- Fractional exhaled nitric oxide normal
-
- Fractional flow reserve
- Fracture
- Fracture blisters
- Fracture debridement
- Fracture displacement
- Fracture pain
- Fracture reduction
- Fracture treatment
- Fractured coccyx
- Fractured sacrum
- Fractured skull depressed
- Fragile X carrier
- Fragile X syndrome
- Francisella test
- Free androgen index
- Free fatty acids
- Free fatty acids increased
- Free haemoglobin
- Free prostate-specific antigen
- Free prostate-specific antigen increased
-
- Free thyroxine index
- Free thyroxine index decreased
- Free thyroxine index increased
- Free thyroxine index normal
- Freezing phenomenon
- Frequent bowel movements
- Friedreich's ataxia
- Frontal lobe epilepsy
- Frontal sinus operation
- Frontotemporal dementia
- Frostbite
- Fructosamine
- Fructose
- Fructose intolerance
- Frustration
- Frustration tolerance decreased
- Fuchs' syndrome
- Fulguration
- Full blood count
- Full blood count abnormal
- Full blood count decreased
- Full blood count increased
- Full blood count normal
- Fulminant type 1 diabetes mellitus
- Fumbling
- Functional gastrointestinal disorder
- Functional residual capacity
- Functional residual capacity abnormal
-
- Functional residual capacity decreased
-
- Fundoscopy
- Fundoscopy abnormal
- Fundoscopy normal
- Fundus autofluorescence
- Fungaemia
- Fungal DNA test positive
- Fungal balanitis
- Fungal disease carrier
- Fungal endocarditis
- Fungal foot infection
- Fungal infection
- Fungal oesophagitis
- Fungal peritonitis
- Fungal pharyngitis
- Fungal sepsis
- Fungal skin infection
- Fungal test
- Fungal test negative
- Fungal test positive
- Fungating wound
- Fungus culture
- Fungus culture positive
- Fungus identification test
- Fungus serology test negative
- Fungus urine test negative
- Funisitis
- Furuncle
- Fusobacterium test positive
- GM2 gangliosidosis
- Gait apraxia
- Gait deviation
- Gait disturbance
- Gait inability
- Gait spastic
- Galactorrhoea
- Galactosaemia
- Galactose elimination capacity test
- normal
- Galactose intolerance
- Galactosialidosis
- Galactostasis
- Gallbladder adenocarcinoma
- Gallbladder adenoma
- Gallbladder cancer
- Gallbladder cancer metastatic
- Gallbladder cholesterolosis
- Gallbladder disorder
- Gallbladder enlargement
- Gallbladder hypofunction
- Gallbladder injury
- Gallbladder mass
- Gallbladder necrosis
- Gallbladder neoplasm
- Gallbladder non-functioning
- Gallbladder obstruction
- Gallbladder oedema
- Gallbladder operation
- Gallbladder pain
- Gallbladder polyp
- Gallbladder rupture
- Gallop rhythm present
- Gambling disorder
- Gamma interferon therapy
- Gamma radiation therapy
- Gamma radiation therapy to brain
- Gamma-glutamyltransferase
- Gamma-glutamyltransferase abnormal
- Gamma-glutamyltransferase decreased
- Gamma-glutamyltransferase increased
- Gamma-glutamyltransferase normal
- Gammopathy
- Ganglioneuroblastoma
- Ganglioneuroma
- Gangrene
- Gardnerella infection
- Gardnerella test
- Gardnerella test negative
- Gardnerella test positive
- Gas gangrene
- Gasping syndrome
- Gastrectomy
- Gastric adenoma
- Gastric antral vascular ectasia
- Gastric aspiration procedure
- Gastric atony
- Gastric banding
- Gastric bypass
- Gastric cancer
- Gastric cancer stage I
- Gastric cancer stage IV
- Gastric dilatation
- Gastric disorder
- Gastric dysplasia
- Gastric electrical stimulation
- Gastric emptying study
- Gastric fibrosis
- Gastric fluid analysis
- Gastric fluid analysis abnormal
- Gastric haemangioma
- Gastric haemorrhage
- Gastric hypermotility
- Gastric hypertonia
- Gastric hypomotility
- Gastric infection
- Gastric ischaemia
- Gastric lavage
- Gastric mucosa erythema
- Gastric mucosal hypertrophy
- Gastric mucosal lesion
- Gastric neoplasm
- Gastric occult blood positive
- Gastric operation
- Gastric pH
- Gastric pH decreased
- Gastric pH increased
- Gastric pacemaker insertion
- Gastric perforation
- Gastric polyps
- Gastric residual increased
- Gastric stenosis
- Gastric ulcer
- Gastric ulcer haemorrhage
- Gastric ulcer helicobacter
- Gastric ulcer perforation
- Gastric ulcer surgery
- Gastric varices
- Gastric varices haemorrhage
- Gastric volvulus
- Gastrin-releasing peptide precursor
- Gastritis
- Gastritis alcoholic
- Gastritis atrophic
- Gastritis bacterial
- Gastritis erosive
- Gastritis haemorrhagic
- Gastritis herpes
- Gastritis hypertrophic
- Gastritis viral
- Gastrocardiac syndrome
- Gastroduodenitis
- Gastroenteritis
- Gastroenteritis Escherichia coli
- Gastroenteritis Norwalk virus
- Gastroenteritis adenovirus
- Gastroenteritis astroviral
- Gastroenteritis bacterial
- Gastroenteritis clostridial
- Gastroenteritis cryptosporidial
- Gastroenteritis enteroviral
- Gastroenteritis eosinophilic
- Gastroenteritis norovirus
- Gastroenteritis rotavirus
- Gastroenteritis salmonella
- Gastroenteritis sapovirus
- Gastroenteritis shigella
- Gastroenteritis viral
- Gastroenteritis yersinia
- Gastroenterostomy
- Gastrointestinal adenocarcinoma
- Gastrointestinal anastomotic leak
- Gastrointestinal anastomotic stenosis
-
- Gastrointestinal angiectasia
- Gastrointestinal angiodysplasia
- Gastrointestinal arteriovenous
- malformation
- Gastrointestinal bacterial infection
- Gastrointestinal bacterial overgrowth
-
- Gastrointestinal cancer metastatic
- Gastrointestinal candidiasis
- Gastrointestinal carcinoma
- Gastrointestinal decompression
- Gastrointestinal dilation procedure
- Gastrointestinal disorder
- Gastrointestinal disorder prophylaxis
-
- Gastrointestinal dysplasia
- Gastrointestinal endoscopic therapy
- Gastrointestinal erosion
- Gastrointestinal examination
- Gastrointestinal examination abnormal
-
- Gastrointestinal examination normal
- Gastrointestinal fistula
- Gastrointestinal fungal infection
- Gastrointestinal gangrene
- Gastrointestinal haemorrhage
- Gastrointestinal hypermotility
- Gastrointestinal hypomotility
- Gastrointestinal infection
- Gastrointestinal inflammation
- Gastrointestinal injury
- Gastrointestinal ischaemia
- Gastrointestinal lymphoma
- Gastrointestinal malformation
- Gastrointestinal motility disorder
- Gastrointestinal mucosa hyperaemia
- Gastrointestinal mucosal disorder
- Gastrointestinal necrosis
- Gastrointestinal neoplasm
- Gastrointestinal obstruction
- Gastrointestinal oedema
- Gastrointestinal pain
- Gastrointestinal pathogen panel
- Gastrointestinal perforation
- Gastrointestinal polyp
- Gastrointestinal polyp haemorrhage
- Gastrointestinal scan
- Gastrointestinal scarring
- Gastrointestinal somatic symptom
- disorder
- Gastrointestinal sounds abnormal
- Gastrointestinal stenosis
- Gastrointestinal stoma complication
- Gastrointestinal stoma output increased
-
- Gastrointestinal stromal tumour
- Gastrointestinal submucosal tumour
- Gastrointestinal surgery
- Gastrointestinal toxicity
- Gastrointestinal tract biopsy
- Gastrointestinal tract irritation
- Gastrointestinal tract mucosal
- discolouration
- Gastrointestinal tube insertion
- Gastrointestinal tube removal
- Gastrointestinal ulcer
- Gastrointestinal ulcer haemorrhage
- Gastrointestinal vascular
- malformation haemorrhagic
- Gastrointestinal viral infection
- Gastrointestinal wall thickening
- Gastrointestinal wall thinning
- Gastrooesophageal reflux disease
- Gastrooesophageal sphincter
- insufficiency
- Gastrorrhaphy
- Gastroschisis
- Gastrostomy
- Gastrostomy tube insertion
- Gastrostomy tube removal
- Gastrostomy tube site complication
- Gaucher's disease
- Gaze palsy
- Gelastic seizure
- Gender dysphoria
- Gene mutation
- Gene mutation identification test
- Gene mutation identification test
- negative
- Gene mutation identification test
- positive
- Gene sequencing
- General anaesthesia
- General physical condition
- General physical condition abnormal
- General physical condition decreased
- General physical condition normal
- General physical health deterioration
-
- General symptom
- Generalised anxiety disorder
- Generalised bullous fixed drug eruption
-
- Generalised erythema
- Generalised oedema
- Generalised onset non-motor seizure
- Generalised tonic-clonic seizure
- Generalised vaccinia
- Genetic counselling
- Genetic polymorphism
- Geniculate ganglionitis
- Genital abscess
- Genital anaesthesia
- Genital atrophy
- Genital blister
- Genital burning sensation
- Genital candidiasis
- Genital contusion
- Genital cyst
- Genital discharge
- Genital discolouration
- Genital discomfort
- Genital disorder
- Genital disorder female
- Genital disorder male
- Genital dysaesthesia
- Genital erosion
- Genital erythema
- Genital exfoliation
- Genital haemorrhage
- Genital herpes
- Genital herpes simplex
- Genital herpes zoster
- Genital hyperaesthesia
- Genital hypoaesthesia
- Genital infection
- Genital infection bacterial
- Genital infection female
- Genital infection fungal
- Genital infection viral
- Genital injury
- Genital labial adhesions
- Genital lesion
- Genital macule
- Genital neoplasm malignant female
- Genital odour
- Genital pain
- Genital paraesthesia
- Genital prolapse
- Genital rash
- Genital scarring
- Genital swelling
- Genital tract inflammation
- Genital ulcer syndrome
- Genital ulceration
- Genitalia external painful
- Genitals enlarged
- Genito-pelvic pain/penetration disorder
-
- Genitourinary chlamydia infection
- Genitourinary operation
- Genitourinary symptom
- Genitourinary tract infection
- Genotype drug resistance test
- Genotype drug resistance test abnormal
-
- Genotype drug resistance test positive
-
- Geriatric assessment
- Germ cell neoplasm
- Gerstmann's syndrome
- Gestational age test
- Gestational age test abnormal
- Gestational diabetes
- Gestational hypertension
- Gestational trophoblastic detachment
- Gestational trophoblastic tumour
- Gianotti-Crosti syndrome
- Giant cell arteritis
- Giant cell myocarditis
- Giant cell tumour of tendon sheath
- Giant papillary conjunctivitis
- Giardia test
- Giardia test negative
- Giardia test positive
- Giardiasis
- Gigantism
- Gilbert's syndrome
- Gingival abscess
- Gingival atrophy
- Gingival bleeding
- Gingival blister
- Gingival cancer
- Gingival cyst
- Gingival discolouration
- Gingival discomfort
- Gingival disorder
- Gingival erosion
- Gingival erythema
- Gingival hyperplasia
- Gingival hypertrophy
- Gingival infection
- Gingival inflammation
- Gingival injury
- Gingival oedema
- Gingival operation
- Gingival pain
- Gingival pruritus
- Gingival recession
- Gingival swelling
- Gingival ulceration
- Gingivitis
- Gingivitis ulcerative
- Gitelman's syndrome
- Glabellar reflex abnormal
- Glare
- Glasgow coma scale
- Glasgow coma scale normal
- Glassy eyes
- Glaucoma
- Glaucoma drainage device placement
- Glaucomatocyclitic crises
- Gleason grading score
- Glial scar
- Glioblastoma
- Glioblastoma multiforme
- Glioma
- Gliosis
- Global amnesia
- Globulin
- Globulin abnormal
- Globulins decreased
- Globulins increased
- Globulinuria
- Glomerular filtration rate
- Glomerular filtration rate abnormal
- Glomerular filtration rate decreased
- Glomerular filtration rate increased
- Glomerular filtration rate normal
- Glomerulonephritis
- Glomerulonephritis acute
- Glomerulonephritis chronic
- Glomerulonephritis membranoproliferative
-
- Glomerulonephritis membranous
- Glomerulonephritis minimal lesion
- Glomerulonephritis proliferative
- Glomerulonephritis rapidly progressive
-
- Glomerulonephropathy
- Glomerulosclerosis
- Glomus tumour
- Glossectomy
- Glossitis
- Glossodynia
- Glossopharyngeal nerve disorder
- Glossopharyngeal nerve paralysis
- Glossopharyngeal neuralgia
- Glossoptosis
- Glottal incompetence
- Glucagon tolerance test
- Glucocorticoid deficiency
- Glucocorticoids abnormal
- Glucocorticoids increased
- Glucocorticoids normal
- Glucose tolerance decreased
- Glucose tolerance impaired
- Glucose tolerance impaired in pregnancy
-
- Glucose tolerance increased
- Glucose tolerance test
- Glucose tolerance test abnormal
- Glucose tolerance test normal
- Glucose urine
- Glucose urine absent
- Glucose urine present
- Glucose-6-phosphate dehydrogenase
- Glucose-6-phosphate dehydrogenase
- abnormal
- Glucose-6-phosphate dehydrogenase
- deficiency
- Glucose-6-phosphate dehydrogenase normal
-
- Glucosylceramide
- Glutamate dehydrogenase
- Glutamate dehydrogenase increased
- Glutamate dehydrogenase level abnormal
-
- Glutamate dehydrogenase level normal
- Glutathione decreased
- Glutathione test
- Gluten free diet
- Gluten sensitivity
- Glycated albumin
- Glycated albumin increased
- Glycine test
- Glycogen storage disease type I
- Glycogen storage disease type II
- Glycogen storage disease type V
- Glycogen storage disorder
- Glycolysis increased
- Glycopenia
- Glycosuria
- Glycosylated haemoglobin
- Glycosylated haemoglobin abnormal
- Glycosylated haemoglobin decreased
- Glycosylated haemoglobin increased
- Glycosylated haemoglobin normal
- Gnathoschisis
- Goitre
- Gomori methenamine silver stain
- Gonadotrophin deficiency
- Gonadotrophin releasing hormone
- stimulation test
- Gonioscopy
- Gonococcal infection
- Gonorrhoea
- Good syndrome
- Goodpasture's syndrome
- Gout
- Gouty arthritis
- Gouty tophus
- Gradenigo's syndrome
- Graft complication
- Graft haemorrhage
- Graft loss
- Graft thrombosis
- Graft versus host disease
- Graft versus host disease in eye
- Graft versus host disease in
- gastrointestinal tract
- Graft versus host disease in liver
- Graft versus host disease in skin
- Gram stain
- Gram stain negative
- Gram stain positive
- Grand mal convulsion
- Grandiosity
- Granular cell tumour
- Granulocyte count
- Granulocyte count decreased
- Granulocyte count increased
- Granulocyte percentage
- Granulocyte percentage increased
- Granulocyte-colony
- stimulating factor level increased
- Granulocytes abnormal
- Granulocytes maturation arrest
- Granulocytopenia
- Granulocytosis
- Granuloma
- Granuloma annulare
- Granuloma skin
- Granulomatosis with polyangiitis
- Granulomatous dermatitis
- Granulomatous liver disease
- Granulomatous lymphadenitis
- Graves' disease
- Gravitational oedema
- Great saphenous vein closure
- Greater trochanteric pain syndrome
- Greenstick fracture
- Grey matter heterotopia
- Grey syndrome neonatal
- Grief reaction
- Grimacing
- Grip strength
- Grip strength decreased
- Groin abscess
- Groin infection
- Groin pain
- Gross motor delay
- Group B streptococcus neonatal sepsis
-
- Growing pains
- Growth accelerated
- Growth disorder
- Growth failure
- Growth hormone deficiency
- Growth of eyelashes
- Growth retardation
- Grunting
- Guillain-Barre syndrome
- Gulf war syndrome
- Gun shot wound
- Gustometry
- Gustometry normal
- Gut fermentation syndrome
- Guthrie test
- Guttate psoriasis
- Gynaecological examination
- Gynaecological examination abnormal
- Gynaecological examination normal
- Gynaecomastia
- H1N1 influenza
- H2N2 influenza
- H3N2 influenza
- HBV-DNA polymerase increased
- HCoV-OC43 infection
- HELLP syndrome
- HER2 negative breast cancer
- HER2 positive breast cancer
- HER2 protein overexpression
- HIV antibody
- HIV antibody negative
- HIV antibody positive
- HIV antigen
- HIV antigen negative
- HIV antigen positive
- HIV infection
- HIV peripheral neuropathy
- HIV test
- HIV test false positive
- HIV test negative
- HIV test positive
- HIV viraemia
- HIV-2 infection
- HIV-associated neurocognitive disorder
-
- HLA marker study
- HLA marker study positive
- HLA-B gene status assay
- HLA-B*1502 assay
- HLA-B*27 assay
- HLA-B*27 positive
- HLA-B*5701 assay
- HLA-B*5801 assay
- HTLV test
- HTLV-1 carrier
- HTLV-1 test
- HTLV-1 test positive
- HTLV-2 test
- HTLV-2 test positive
- Habit cough
- Habitual abortion
- Haemangioblastoma
- Haemangioma
- Haemangioma congenital
- Haemangioma of bone
- Haemangioma of breast
- Haemangioma of liver
- Haemangioma of skin
- Haemangioma of spleen
- Haemangioma-thrombocytopenia syndrome
-
- Haemangiopericytoma
- Haemarthrosis
- Haematemesis
- Haematidrosis
- Haematinuria
- Haematochezia
- Haematocrit
- Haematocrit abnormal
- Haematocrit decreased
- Haematocrit increased
- Haematocrit normal
- Haematological infection
- Haematological malignancy
- Haematology test
- Haematology test abnormal
- Haematology test normal
- Haematoma
- Haematoma evacuation
- Haematoma infection
- Haematoma muscle
- Haematopoietic neoplasm
- Haematosalpinx
- Haematospermia
- Haematotympanum
- Haematuria
- Haematuria traumatic
- Haemobilia
- Haemochromatosis
- Haemoconcentration
- Haemodialysis
- Haemodialysis complication
- Haemodilution
- Haemodynamic instability
- Haemodynamic rebound
- Haemodynamic test
- Haemodynamic test abnormal
- Haemodynamic test normal
- Haemofiltration
- Haemoglobin
- Haemoglobin A absent
- Haemoglobin A present
- Haemoglobin A2
- Haemoglobin C
- Haemoglobin E
- Haemoglobin S
- Haemoglobin S increased
- Haemoglobin S normal
- Haemoglobin abnormal
- Haemoglobin decreased
- Haemoglobin distribution width
- Haemoglobin distribution width increased
-
- Haemoglobin electrophoresis
- Haemoglobin electrophoresis abnormal
- Haemoglobin electrophoresis normal
- Haemoglobin increased
- Haemoglobin normal
- Haemoglobin urine
- Haemoglobin urine absent
- Haemoglobin urine present
- Haemoglobinaemia
- Haemoglobinopathy
- Haemoglobinuria
- Haemolysis
- Haemolytic anaemia
- Haemolytic transfusion reaction
- Haemolytic uraemic syndrome
- Haemoperitoneum
- Haemophagocytic lymphohistiocytosis
- Haemophilia
- Haemophilia A with anti factor VIII
- Haemophilia carrier
- Haemophilic arthropathy
- Haemophilus bacteraemia
- Haemophilus infection
- Haemophilus sepsis
- Haemophilus test
- Haemophilus test positive
- Haemophobia
- Haemoptysis
- Haemorrhage
- Haemorrhage coronary artery
- Haemorrhage foetal
- Haemorrhage in pregnancy
- Haemorrhage intracranial
- Haemorrhage neonatal
- Haemorrhage subcutaneous
- Haemorrhage subepidermal
- Haemorrhage urinary tract
- Haemorrhagic anaemia
- Haemorrhagic arteriovenous malformation
-
- Haemorrhagic ascites
- Haemorrhagic breast cyst
- Haemorrhagic cerebellar infarction
- Haemorrhagic cerebral infarction
- Haemorrhagic cyst
- Haemorrhagic diathesis
- Haemorrhagic disease of newborn
- Haemorrhagic disorder
- Haemorrhagic erosive gastritis
- Haemorrhagic fever with renal syndrome
-
- Haemorrhagic infarction
- Haemorrhagic ovarian cyst
- Haemorrhagic pneumonia
- Haemorrhagic stroke
- Haemorrhagic thyroid cyst
- Haemorrhagic transformation stroke
- Haemorrhagic urticaria
- Haemorrhagic varicella syndrome
- Haemorrhagic vasculitis
- Haemorrhoid infection
- Haemorrhoid operation
- Haemorrhoidal haemorrhage
- Haemorrhoids
- Haemorrhoids thrombosed
- Haemosiderin stain
- Haemosiderinuria
- Haemosiderosis
- Haemostasis
- Haemothorax
- Hair colour changes
- Hair disorder
- Hair dye user
- Hair follicle tumour benign
- Hair growth abnormal
- Hair growth rate abnormal
- Hair injury
- Hair metal test
- Hair metal test abnormal
- Hair metal test normal
- Hair texture abnormal
- Hairy cell leukaemia
- Hallucination
- Hallucination, auditory
- Hallucination, gustatory
- Hallucination, olfactory
- Hallucination, tactile
- Hallucination, visual
- Hallucinations, mixed
- Halo vision
- Hamartoma
- Hand amputation
- Hand deformity
- Hand dermatitis
- Hand fracture
- Hand repair operation
- Hand-arm vibration syndrome
- Hand-eye coordination impaired
- Hand-foot-and-mouth disease
- Hanging
- Hangnail
- Hangover
- Hantaviral infection
- Hantavirus pulmonary infection
- Haphephobia
- Haptoglobin
- Haptoglobin abnormal
- Haptoglobin decreased
- Haptoglobin increased
- Haptoglobin normal
- Harlequin syndrome
- Hashimoto's encephalopathy
- Hashitoxicosis
- Head and neck cancer metastatic
- Head banging
- Head circumference
- Head circumference abnormal
- Head circumference normal
- Head deformity
- Head discomfort
- Head impulse test
- Head injury
- Head lag
- Head lag abnormal
- Head titubation
- Headache
- Hearing aid therapy
- Hearing aid user
- Hearing disability
- Hearing impaired
- Heart alternation
- Heart block congenital
- Heart disease congenital
- Heart injury
- Heart rate
- Heart rate abnormal
- Heart rate decreased
- Heart rate increased
- Heart rate irregular
- Heart rate normal
- Heart rate variability decreased
- Heart rate variability increased
- Heart rate variability test
- Heart sounds
- Heart sounds abnormal
- Heart sounds normal
- Heart transplant
- Heart transplant rejection
- Heart valve calcification
- Heart valve incompetence
- Heart valve operation
- Heart valve replacement
- Heart valve stenosis
- Heat cramps
- Heat exhaustion
- Heat illness
- Heat oedema
- Heat rash
- Heat stroke
- Heat therapy
- Heavy exposure to ultraviolet light
- Heavy menstrual bleeding
- Heavy metal increased
- Heavy metal normal
- Heavy metal test
- Heel-knee-shin test abnormal
- Heinz bodies
- Helicobacter gastritis
- Helicobacter infection
- Helicobacter pylori identification test
-
- Helicobacter pylori
- identification test negative
- Helicobacter pylori
- identification test positive
- Helicobacter test
- Helicobacter test negative
- Helicobacter test positive
- Heliotrope rash
- Helminthic infection
- Helplessness
- Hemianaesthesia
- Hemianopia
- Hemianopia heteronymous
- Hemianopia homonymous
- Hemiapraxia
- Hemiasomatognosia
- Hemiataxia
- Hemicephalalgia
- Hemidysaesthesia
- Hemihyperaesthesia
- Hemihypertrophy
- Hemihypoaesthesia
- Hemiparaesthesia
- Hemiparesis
- Hemiplegia
- Hemiplegic migraine
- Henoch-Schonlein purpura
- Henoch-Schonlein purpura nephritis
- Hepaplastin test
- Heparin-induced thrombocytopenia
- Heparin-induced thrombocytopenia test
-
- Heparin-induced thrombocytopenia
- test positive
- Hepatectomy
- Hepatic adenoma
- Hepatic amoebiasis
- Hepatic angiogram
- Hepatic angiosarcoma
- Hepatic artery embolism
- Hepatic artery stenosis
- Hepatic artery thrombosis
- Hepatic atrophy
- Hepatic calcification
- Hepatic cancer
- Hepatic cancer metastatic
- Hepatic cancer recurrent
- Hepatic cancer stage IV
- Hepatic cirrhosis
- Hepatic congestion
- Hepatic cyst
- Hepatic cyst infection
- Hepatic cytolysis
- Hepatic embolisation
- Hepatic encephalopathy
- Hepatic enzyme
- Hepatic enzyme abnormal
- Hepatic enzyme decreased
- Hepatic enzyme increased
- Hepatic failure
- Hepatic fibrosis
- Hepatic fibrosis marker test
- Hepatic function abnormal
- Hepatic haematoma
- Hepatic haemorrhage
- Hepatic hydrothorax
- Hepatic hypertrophy
- Hepatic hypoperfusion
- Hepatic infarction
- Hepatic infection
- Hepatic infection fungal
- Hepatic ischaemia
- Hepatic lesion
- Hepatic lymphocytic infiltration
- Hepatic mass
- Hepatic necrosis
- Hepatic neoplasm
- Hepatic neoplasm malignant
- Hepatic neoplasm malignant
- non-resectable
- Hepatic pain
- Hepatic perfusion disorder
- Hepatic rupture
- Hepatic steatosis
- Hepatic vascular disorder
- Hepatic vascular thrombosis
- Hepatic vein dilatation
- Hepatic vein occlusion
- Hepatic vein thrombosis
- Hepatitis
- Hepatitis A
- Hepatitis A antibody
- Hepatitis A antibody abnormal
- Hepatitis A antibody negative
- Hepatitis A antibody normal
- Hepatitis A antibody positive
- Hepatitis A antigen negative
- Hepatitis A antigen positive
- Hepatitis A immunisation
- Hepatitis A virus
- Hepatitis A virus test
- Hepatitis A virus test positive
- Hepatitis B
- Hepatitis B DNA assay
- Hepatitis B DNA assay negative
- Hepatitis B DNA assay positive
- Hepatitis B DNA decreased
- Hepatitis B DNA increased
- Hepatitis B antibody
- Hepatitis B antibody abnormal
- Hepatitis B antibody negative
- Hepatitis B antibody normal
- Hepatitis B antibody positive
- Hepatitis B antigen
- Hepatitis B antigen positive
- Hepatitis B core antibody
- Hepatitis B core antibody negative
- Hepatitis B core antibody positive
- Hepatitis B core antigen
- Hepatitis B core antigen positive
- Hepatitis B e antibody
- Hepatitis B e antibody negative
- Hepatitis B e antibody positive
- Hepatitis B e antigen
- Hepatitis B e antigen negative
- Hepatitis B e antigen positive
- Hepatitis B immunisation
- Hepatitis B positive
- Hepatitis B reactivation
- Hepatitis B surface antibody
- Hepatitis B surface antibody negative
-
- Hepatitis B surface antibody positive
-
- Hepatitis B surface antigen
- Hepatitis B surface antigen negative
- Hepatitis B surface antigen positive
- Hepatitis B test negative
- Hepatitis B virus
- Hepatitis B virus test
- Hepatitis B virus test positive
- Hepatitis C
- Hepatitis C RNA
- Hepatitis C RNA decreased
- Hepatitis C RNA increased
- Hepatitis C RNA negative
- Hepatitis C RNA positive
- Hepatitis C antibody
- Hepatitis C antibody negative
- Hepatitis C antibody positive
- Hepatitis C core antibody
- Hepatitis C core antibody negative
- Hepatitis C positive
- Hepatitis C test negative
- Hepatitis C virus
- Hepatitis C virus core antigen
- Hepatitis C virus test
- Hepatitis C virus test positive
- Hepatitis D
- Hepatitis D RNA negative
- Hepatitis D antibody
- Hepatitis D antibody negative
- Hepatitis D antigen
- Hepatitis D virus test
- Hepatitis D virus test positive
- Hepatitis E
- Hepatitis E antibody
- Hepatitis E antibody negative
- Hepatitis E antibody normal
- Hepatitis E antibody positive
- Hepatitis E antigen
- Hepatitis E antigen negative
- Hepatitis E antigen positive
- Hepatitis E virus test
- Hepatitis E virus test positive
- Hepatitis acute
- Hepatitis alcoholic
- Hepatitis cholestatic
- Hepatitis chronic active
- Hepatitis fulminant
- Hepatitis infectious
- Hepatitis infectious mononucleosis
- Hepatitis neonatal
- Hepatitis toxic
- Hepatitis viral
- Hepatitis viral test
- Hepatitis viral test negative
- Hepatitis viral test positive
- Hepato-lenticular degeneration
- Hepatobiliary cyst
- Hepatobiliary disease
- Hepatobiliary scan
- Hepatobiliary scan abnormal
- Hepatobiliary scan normal
- Hepatoblastoma
- Hepatocellular carcinoma
- Hepatocellular damage
- Hepatocellular injury
- Hepatojugular reflux
- Hepatomegaly
- Hepatopulmonary syndrome
- Hepatorenal failure
- Hepatorenal syndrome
- Hepatosplenic T-cell lymphoma
- Hepatosplenomegaly
- Hepatotoxicity
- Hepcidin test
- Hereditary angioedema
- Hereditary angioedema
- with C1 esterase inhibitor deficiency
- Hereditary angioedema with
- normal C1 esterase inhibitor
- Hereditary ataxia
- Hereditary disorder
- Hereditary haemochromatosis
- Hereditary haemolytic anaemia
- Hereditary haemorrhagic telangiectasia
-
- Hereditary motor and sensory neuropathy
-
- Hereditary neuropathy
- with liability to pressure palsies
- Hereditary non-polyposis
- colorectal cancer syndrome
- Hereditary optic atrophy
- Hereditary spherocytosis
- Hernia
- Hernia hiatus repair
- Hernia pain
- Hernia repair
- Hernial eventration
- Herpangina
- Herpes dermatitis
- Herpes gestationis
- Herpes oesophagitis
- Herpes ophthalmic
- Herpes pharyngitis
- Herpes sepsis
- Herpes simplex
- Herpes simplex DNA test positive
- Herpes simplex encephalitis
- Herpes simplex gastritis
- Herpes simplex hepatitis
- Herpes simplex meningitis
- Herpes simplex meningoencephalitis
- Herpes simplex oesophagitis
- Herpes simplex ophthalmic
- Herpes simplex pharyngitis
- Herpes simplex reactivation
- Herpes simplex serology
- Herpes simplex serology negative
- Herpes simplex serology positive
- Herpes simplex test
- Herpes simplex test negative
- Herpes simplex test positive
- Herpes simplex viraemia
- Herpes virus infection
- Herpes virus test
- Herpes virus test abnormal
- Herpes zoster
- Herpes zoster cutaneous disseminated
- Herpes zoster disseminated
- Herpes zoster immunisation
- Herpes zoster infection neurological
- Herpes zoster meningitis
- Herpes zoster meningoencephalitis
- Herpes zoster meningomyelitis
- Herpes zoster meningoradiculitis
- Herpes zoster multi-dermatomal
- Herpes zoster necrotising retinopathy
-
- Herpes zoster ophthalmic
- Herpes zoster oticus
- Herpes zoster pharyngitis
- Herpes zoster reactivation
- Herpetic radiculopathy
- Heterogeneous testis
- Heteronymous diplopia
- Heterophoria
- Heterosexuality
- Heterotaxia
- Hiatus hernia
- Hiccups
- Hidradenitis
- High density lipoprotein
- High density lipoprotein abnormal
- High density lipoprotein decreased
- High density lipoprotein increased
- High density lipoprotein normal
- High foetal head
- High frequency ablation
- High intensity focused ultrasound
- High risk pregnancy
- High risk sexual behaviour
- High-grade B-cell lymphoma
- High-pitched crying
- High-resolution computerised
- tomogram of lung
- Hilar lymphadenopathy
- Hip arthroplasty
- Hip deformity
- Hip disarticulation
- Hip dysplasia
- Hip fracture
- Hip surgery
- Hippocampal atrophy
- Hippocampal sclerosis
- Hippus
- Hirsutism
- Histamine abnormal
- Histamine intolerance
- Histamine level
- Histamine level increased
- Histamine normal
- Histamine release test
- Histiocytic necrotising lymphadenitis
-
- Histiocytosis
- Histiocytosis haematophagic
- Histology
- Histology abnormal
- Histology normal
- Histone antibody
- Histone antibody negative
- Histone antibody positive
- Histoplasmosis
- Histoplasmosis disseminated
- Histrionic personality disorder
- Hodgkin's disease
- Hodgkin's disease
- lymphocyte predominance type stage unspecified
- Hodgkin's disease mixed
- cellularity stage unspecified
- Hodgkin's disease nodular sclerosis
- Hodgkin's disease nodular sclerosis
- stage II
- Hodgkin's disease nodular sclerosis
- stage IV
- Hodgkin's disease nodular
- sclerosis stage unspecified
- Hodgkin's disease recurrent
- Hodgkin's disease stage II
- Hodgkin's disease stage III
- Hodgkin's disease stage IV
- Hoffmann's sign
- Hollow visceral myopathy
- Holmes-Adie pupil
- Holoprosencephaly
- Holotranscobalamin test
- Holter valve insertion
- Homans' sign
- Homans' sign negative
- Homans' sign positive
- Homeless
- Homeopathy
- Homicidal ideation
- Homicide
- Homocysteine urine
- Homocystinaemia
- Homonymous diplopia
- Homosexuality
- Hooded prepuce
- Hookworm infection
- Hoover's sign of leg paresis
- Hordeolum
- Hormonal contraception
- Hormone analysis
- Hormone level abnormal
- Hormone receptor negative
- HER2 positive breast cancer
- Hormone receptor positive
- HER2 negative breast cancer
- Hormone receptor positive breast cancer
-
- Hormone refractory breast cancer
- Hormone replacement therapy
- Hormone therapy
- Horner's syndrome
- Hospice care
- Hospitalisation
- Hostility
- Hot flush
- House dust allergy
- Housebound
- Huerthle cell carcinoma
- Human T-cell lymphotropic virus
- infection
- Human T-cell lymphotropic virus
- type I infection
- Human anaplasmosis
- Human anti-human antibody test
- Human anti-mouse antibody test
- Human bite
- Human bocavirus infection
- Human chorionic gonadotropin
- Human chorionic gonadotropin abnormal
-
- Human chorionic gonadotropin decreased
-
- Human chorionic gonadotropin increased
-
- Human chorionic gonadotropin negative
-
- Human chorionic gonadotropin normal
- Human chorionic gonadotropin positive
-
- Human ehrlichiosis
- Human epidermal growth factor
- receptor increased
- Human epidermal growth factor
- receptor negative
- Human herpes virus 6 serology
- Human herpes virus 6 serology negative
-
- Human herpes virus 6 serology positive
-
- Human herpes virus 8 test
- Human herpesvirus 6 encephalitis
- Human herpesvirus 6 infection
- Human herpesvirus 6 infection
- reactivation
- Human herpesvirus 7 infection
- Human herpesvirus 8 infection
- Human immunodeficiency virus
- transmission
- Human metapneumovirus test
- Human metapneumovirus test positive
- Human papilloma virus immunisation
- Human papilloma virus test
- Human papilloma virus test negative
- Human papilloma virus test positive
- Human rhinovirus test
- Human rhinovirus test positive
- Human seminal plasma hypersensitivity
-
- Humerus fracture
- Humidity intolerance
- Humoral immune defect
- Hunger
- Hunt and Hess scale
- Huntington's disease
- Hyalosis asteroid
- Hyaluronic acid
- Hyaluronic acid decreased
- Hydrocele
- Hydrocele operation
- Hydrocephalus
- Hydrocholecystis
- Hydrogen breath test
- Hydrogen breath test abnormal
- Hydrogen breath test normal
- Hydrometra
- Hydronephrosis
- Hydrophobia
- Hydrops foetalis
- Hydrosalpinx
- Hydrothorax
- Hydroureter
- Hydroxycorticosteroids urine
- Hydroxyproline
- Hyper IgE syndrome
- Hyperactive pharyngeal reflex
- Hyperacusis
- Hyperadrenalism
- Hyperadrenocorticism
- Hyperaemia
- Hyperaesthesia
- Hyperaesthesia eye
- Hyperaesthesia teeth
- Hyperalbuminaemia
- Hyperaldosteronism
- Hyperammonaemia
- Hyperammonaemic encephalopathy
- Hyperamylasaemia
- Hyperandrogenism
- Hyperarousal
- Hyperbaric oxygen therapy
- Hyperbilirubinaemia
- Hyperbilirubinaemia neonatal
- Hypercalcaemia
- Hypercalcaemia of malignancy
- Hypercapnia
- Hypercapnic coma
- Hypercarotinaemia
- Hypercatabolism
- Hyperchloraemia
- Hyperchlorhydria
- Hypercholesterolaemia
- Hyperchromic anaemia
- Hyperchylomicronaemia
- Hypercoagulation
- Hypercreatinaemia
- Hypercreatininaemia
- Hyperdynamic left ventricle
- Hyperechogenic pancreas
- Hyperemesis gravidarum
- Hypereosinophilic syndrome
- Hyperexplexia
- Hyperferritinaemia
- Hyperfibrinogenaemia
- Hyperfibrinolysis
- Hypergammaglobulinaemia
- Hypergammaglobulinaemia benign
- monoclonal
- Hypergastrinaemia
- Hypergeusia
- Hyperglobulinaemia
- Hyperglycaemia
- Hyperglycaemic hyperosmolar
- nonketotic syndrome
- Hyperglycaemic seizure
- Hyperglycaemic unconsciousness
- Hyperglycinaemia
- Hyperhidrosis
- Hyperhomocysteinaemia
- Hyperinsulinaemic hypoglycaemia
- Hyperinsulinism
- Hyperintensity in brain deep nuclei
- Hyperkalaemia
- Hyperkeratosis
- Hyperkeratosis follicularis et
- parafollicularis
- Hyperkeratosis lenticularis perstans
- Hyperkeratosis palmaris and plantaris
-
- Hyperkinesia
- Hyperkinetic heart syndrome
- Hyperlactacidaemia
- Hyperleukocytosis
- Hyperlipasaemia
- Hyperlipidaemia
- Hypermagnesaemia
- Hypermetabolism
- Hypermetropia
- Hypermobility syndrome
- Hypernatraemia
- Hyperoestrogenism
- Hyperosmolar state
- Hyperoxaluria
- Hyperoxia
- Hyperpallaesthesia
- Hyperparathyroidism
- Hyperparathyroidism primary
- Hyperparathyroidism secondary
- Hyperparathyroidism tertiary
- Hyperpathia
- Hyperphagia
- Hyperphosphataemia
- Hyperplasia
- Hyperplasia adrenal
- Hyperplasia of thymic epithelium
- Hyperprolactinaemia
- Hyperproteinaemia
- Hyperprothrombinaemia
- Hyperpyrexia
- Hyperreflexia
- Hyperresponsive to stimuli
- Hypersensitivity
- Hypersensitivity myocarditis
- Hypersensitivity pneumonitis
- Hypersensitivity vasculitis
- Hypersexuality
- Hypersomnia
- Hypersomnia-bulimia syndrome
- Hypersplenism
- Hypertension
- Hypertensive angiopathy
- Hypertensive cardiomegaly
- Hypertensive cardiomyopathy
- Hypertensive cerebrovascular disease
- Hypertensive crisis
- Hypertensive emergency
- Hypertensive encephalopathy
- Hypertensive end-organ damage
- Hypertensive heart disease
- Hypertensive hydrocephalus
- Hypertensive nephropathy
- Hypertensive urgency
- Hyperthermia
- Hyperthermia malignant
- Hyperthermia therapy
- Hyperthermic chemotherapy
- Hyperthyroidism
- Hypertonia
- Hypertonia neonatal
- Hypertonic bladder
- Hypertransaminasaemia
- Hypertrichosis
- Hypertriglyceridaemia
- Hypertrophic anal papilla
- Hypertrophic cardiomyopathy
- Hypertrophic osteoarthropathy
- Hypertrophic scar
- Hypertrophy
- Hypertrophy breast
- Hypertrophy of tongue papillae
- Hyperuricaemia
- Hyperventilation
- Hypervigilance
- Hyperviscosity syndrome
- Hypervitaminosis
- Hypervitaminosis B
- Hypervitaminosis B12
- Hypervolaemia
- Hyphaema
- Hypnagogic hallucination
- Hypnopompic hallucination
- Hypoacusis
- Hypoaesthesia
- Hypoaesthesia eye
- Hypoaesthesia facial
- Hypoaesthesia oral
- Hypoaesthesia teeth
- Hypoalbuminaemia
- Hypoaldosteronism
- Hypobarism
- Hypocalcaemia
- Hypocalcaemic seizure
- Hypocalvaria
- Hypocapnia
- Hypochloraemia
- Hypocholesterolaemia
- Hypochondroplasia
- Hypochromasia
- Hypochromic anaemia
- Hypocoagulable state
- Hypocomplementaemia
- Hypoferritinaemia
- Hypofibrinogenaemia
- Hypogammaglobulinaemia
- Hypogeusia
- Hypoglobulinaemia
- Hypoglossal nerve disorder
- Hypoglossal nerve paralysis
- Hypoglossal nerve paresis
- Hypoglycaemia
- Hypoglycaemia neonatal
- Hypoglycaemia unawareness
- Hypoglycaemic coma
- Hypoglycaemic seizure
- Hypoglycaemic unconsciousness
- Hypogonadism
- Hypogonadism female
- Hypogonadism male
- Hypohidrosis
- Hypokalaemia
- Hypokalaemic syndrome
- Hypokinesia
- Hypokinetic dysarthria
- Hypolipidaemia
- Hypomagnesaemia
- Hypomania
- Hypomenorrhoea
- Hypometabolism
- Hyponatraemia
- Hyponatraemic coma
- Hyponatraemic syndrome
- Hyponatriuria
- Hypoosmolar state
- Hypoparathyroidism
- Hypoperfusion
- Hypophagia
- Hypophonesis
- Hypophosphataemia
- Hypophosphatasia
- Hypophysitis
- Hypopigmentation of eyelid
- Hypopituitarism
- Hypoplastic anaemia
- Hypoplastic left heart syndrome
- Hypoplastic right heart syndrome
- Hypopnoea
- Hypoproteinaemia
- Hypoprothrombinaemia
- Hypopyon
- Hyporeflexia
- Hyporesponsive to stimuli
- Hyposideraemia
- Hyposmia
- Hyposomnia
- Hypospadias
- Hyposplenism
- Hyposthenuria
- Hypotension
- Hypotensive crisis
- Hypothalamo-pituitary disorder
- Hypothenar hammer syndrome
- Hypothermia
- Hypothermia neonatal
- Hypothyroidic goitre
- Hypothyroidism
- Hypotonia
- Hypotonia neonatal
- Hypotonic urinary bladder
- Hypotonic-hyporesponsive episode
- Hypotony of eye
- Hypotrichosis
- Hypoventilation
- Hypovitaminosis
- Hypovolaemia
- Hypovolaemic shock
- Hypoxia
- Hypoxic-ischaemic encephalopathy
- Hypozincaemia
- Hysterectomy
- Hysterocele
- Hysterosalpingectomy
- Hysterosalpingo-oophorectomy
- Hysterosalpingogram
- Hysteroscopy
- Hysteroscopy abnormal
- Hysteroscopy normal
- Hysterotomy
- IIIrd nerve disorder
- IIIrd nerve injury
- IIIrd nerve paralysis
- IIIrd nerve paresis
- IL-2 receptor assay
- IRVAN syndrome
- ISTH score for disseminated
- intravascular coagulation
- IVth nerve disorder
- IVth nerve injury
- IVth nerve paralysis
- IVth nerve paresis
- Iatrogenic injury
- Ichthyosis
- Ichthyosis acquired
- Icterus index
- Ideas of reference
- Idiopathic CD4 lymphocytopenia
- Idiopathic angioedema
- Idiopathic environmental intolerance
- Idiopathic generalised epilepsy
- Idiopathic guttate hypomelanosis
- Idiopathic inflammatory myopathy
- Idiopathic interstitial pneumonia
- Idiopathic intracranial hypertension
- Idiopathic neutropenia
- Idiopathic orbital inflammation
- Idiopathic partial epilepsy
- Idiopathic pneumonia syndrome
- Idiopathic pulmonary fibrosis
- Idiopathic thrombocytopenic purpura
- Idiopathic urticaria
- Idiosyncratic drug reaction
- IgA nephropathy
- IgM nephropathy
- Ileal gangrene
- Ileal perforation
- Ileal ulcer
- Ileectomy
- Ileitis
- Ileocaecal resection
- Ileocolectomy
- Ileocolostomy
- Ileostomy
- Ileostomy closure
- Ileus
- Ileus paralytic
- Ileus spastic
- Iliac artery arteriosclerosis
- Iliac artery disease
- Iliac artery dissection
- Iliac artery embolism
- Iliac artery occlusion
- Iliac artery rupture
- Iliac artery stenosis
- Iliac artery thrombosis
- Iliac bruit
- Iliac vein occlusion
- Iliac vein stenosis
- Iliotibial band syndrome
- Ilium fracture
- Ill-defined disorder
- Illiteracy
- Illness
- Illness anxiety disorder
- Illogical thinking
- Illusion
- Imaging procedure
- Imaging procedure abnormal
- Imaging procedure artifact
- Immature granulocyte count
- Immature granulocyte count increased
- Immature granulocyte percentage
- increased
- Immature respiratory system
- Immediate post-injection reaction
- Imminent abortion
- Immobile
- Immobilisation prolonged
- Immobilisation syndrome
- Immotile cilia syndrome
- Immune agglutinins
- Immune complex assay
- Immune complex level increased
- Immune enhancement therapy
- Immune reconstitution inflammatory
- syndrome
- Immune
- reconstitution inflammatory syndrome associated tuberculosis
- Immune reconstitution syndrome
- Immune system disorder
- Immune thrombocytopenia
- Immune thrombocytopenic purpura
- Immune tolerance induction
- Immune-mediated adverse reaction
- Immune-mediated arthritis
- Immune-mediated cholangitis
- Immune-mediated cholestasis
- Immune-mediated cystitis
- Immune-mediated encephalitis
- Immune-mediated hepatic disorder
- Immune-mediated hepatitis
- Immune-mediated hyperthyroidism
- Immune-mediated hypothyroidism
- Immune-mediated lung disease
- Immune-mediated myocarditis
- Immune-mediated myositis
- Immune-mediated necrotising myopathy
- Immune-mediated neurological disorder
-
- Immune-mediated neuropathy
- Immune-mediated pancreatitis
- Immune-mediated renal disorder
- Immune-mediated thyroiditis
- Immunisation
- Immunisation anxiety related reaction
-
- Immunisation reaction
- Immunisation stress-related response
- Immunochemotherapy
- Immunodeficiency
- Immunodeficiency common variable
- Immunoelectrophoresis
- Immunoglobulin G4 related disease
- Immunoglobulin G4 related sclerosing
- disease
- Immunoglobulin clonality assay
- Immunoglobulin therapy
- Immunoglobulins
- Immunoglobulins abnormal
- Immunoglobulins decreased
- Immunoglobulins increased
- Immunoglobulins normal
- Immunohistochemistry
- Immunology test
- Immunology test abnormal
- Immunology test normal
- Immunophenotyping
- Immunosuppressant drug level
- Immunosuppressant drug level decreased
-
- Immunosuppressant drug level increased
-
- Immunosuppressant drug therapy
- Immunosuppression
- Impacted fracture
- Impaired ability to use machinery
- Impaired driving ability
- Impaired fasting glucose
- Impaired gastric emptying
- Impaired healing
- Impaired insulin secretion
- Impaired quality of life
- Impaired reasoning
- Impaired self-care
- Impaired work ability
- Impatience
- Imperception
- Impetigo
- Impingement syndrome
- Implant site discolouration
- Implant site extravasation
- Implant site fibrosis
- Implant site haemorrhage
- Implant site hypoaesthesia
- Implant site induration
- Implant site infection
- Implant site inflammation
- Implant site irritation
- Implant site pain
- Implant site pruritus
- Implant site pustules
- Implant site reaction
- Implant site swelling
- Implant site warmth
- Implantable cardiac monitor insertion
-
- Implantable cardiac monitor removal
- Implantable defibrillator insertion
- Implantable defibrillator removal
- Implantable defibrillator replacement
-
- Implantation complication
- Imprisonment
- Impulse oscillometry
- Impulse-control disorder
- Impulsive behaviour
- In vitro fertilisation
- Inability to afford medication
- Inability to crawl
- Inadequate analgesia
- Inadequate aseptic technique in use
- of product
- Inadequate diet
- Inappropriate affect
- Inappropriate antidiuretic hormone
- secretion
- Inappropriate release of product
- for distribution
- Inappropriate schedule of drug
- administration
- Inappropriate schedule of product
- administration
- Inappropriate schedule of
- product discontinuation
- Inborn error of metabolism
- Incarcerated hernia
- Incarcerated hiatus hernia
- Incarcerated incisional hernia
- Incarcerated inguinal hernia
- Incarcerated umbilical hernia
- Incentive spirometry
- Incision site abscess
- Incision site cellulitis
- Incision site complication
- Incision site discharge
- Incision site erythema
- Incision site haematoma
- Incision site haemorrhage
- Incision site impaired healing
- Incision site infection
- Incision site inflammation
- Incision site oedema
- Incision site pain
- Incision site pruritus
- Incision site rash
- Incision site swelling
- Incisional drainage
- Incisional hernia
- Incisional hernia repair
- Incisional hernia, obstructive
- Inclusion body myositis
- Inclusion conjunctivitis
- Incoherent
- Incomplete course of vaccination
- Incontinence
- Incorrect disposal of product
- Incorrect dosage administered
- Incorrect dose administered
- Incorrect dose administered by device
-
- Incorrect dose administered by product
-
- Incorrect drug administration duration
-
- Incorrect drug administration rate
- Incorrect drug dosage form administered
-
- Incorrect product administration
- duration
- Incorrect product formulation
- administered
- Incorrect product storage
- Incorrect route of drug administration
-
- Incorrect route of product
- administration
- Incorrect storage of drug
- Increased appetite
- Increased bronchial secretion
- Increased insulin requirement
- Increased liver stiffness
- Increased need for sleep
- Increased tendency to bruise
- Increased upper airway secretion
- Increased viscosity of bronchial
- secretion
- Increased viscosity of nasal secretion
-
- Increased viscosity of upper
- respiratory secretion
- Indeterminate investigation result
- Indeterminate leprosy
- Indifference
- Indirect infection transmission
- Induced abortion failed
- Induced abortion haemorrhage
- Induced labour
- Induction of anaesthesia
- Induction of cervix ripening
- Induration
- Infant
- Infant irritability
- Infant sedation
- Infantile apnoea
- Infantile apnoeic attack
- Infantile asthma
- Infantile back arching
- Infantile colic
- Infantile diarrhoea
- Infantile genetic agranulocytosis
- Infantile haemangioma
- Infantile postural asymmetry
- Infantile septic granulomatosis
- Infantile spasms
- Infantile spitting up
- Infantile vomiting
- Infarction
- Infected bite
- Infected bites
- Infected bunion
- Infected cyst
- Infected dermal cyst
- Infected fistula
- Infected lymphocele
- Infected neoplasm
- Infected seroma
- Infected skin ulcer
- Infected vasculitis
- Infection
- Infection in an immunocompromised host
-
- Infection parasitic
- Infection prophylaxis
- Infection protozoal
- Infection reactivation
- Infection susceptibility increased
- Infection transmission via personal
- contact
- Infection via vaccinee
- Infectious disease carrier
- Infectious mononucleosis
- Infectious pleural effusion
- Infectious thyroiditis
- Infective aneurysm
- Infective chondritis
- Infective episcleritis
- Infective exacerbation of bronchiectasis
-
- Infective
- exacerbation of chronic obstructive airways disease
- Infective glossitis
- Infective iritis
- Infective keratitis
- Infective myositis
- Infective pericardial effusion
- Infective pulmonary
- exacerbation of cystic fibrosis
- Infective spondylitis
- Infective tenosynovitis
- Infective thrombosis
- Inferior vena cava dilatation
- Inferior vena cava stenosis
- Inferior vena cava syndrome
- Inferior vena caval occlusion
- Inferiority complex
- Infertility
- Infertility female
- Infertility male
- Infertility tests
- Infertility tests abnormal
- Infertility tests normal
- Infestation
- Inflammation
- Inflammation of lacrimal passage
- Inflammation of wound
- Inflammation scan
- Inflammatory bowel disease
- Inflammatory carcinoma of the breast
- Inflammatory marker decreased
- Inflammatory marker increased
- Inflammatory marker test
- Inflammatory pain
- Inflammatory pseudotumour
- Influenza
- Influenza A virus test
- Influenza A virus test negative
- Influenza A virus test positive
- Influenza B virus test
- Influenza B virus test positive
- Influenza C virus test
- Influenza immunisation
- Influenza like illness
- Influenza serology
- Influenza serology negative
- Influenza serology positive
- Influenza virus test
- Influenza virus test negative
- Influenza virus test positive
- Infrared therapy
- Infrequent bowel movements
- Infusion
- Infusion related hypersensitivity
- reaction
- Infusion related reaction
- Infusion site bruising
- Infusion site cellulitis
- Infusion site erythema
- Infusion site extravasation
- Infusion site haemorrhage
- Infusion site induration
- Infusion site inflammation
- Infusion site joint movement impairment
-
- Infusion site joint swelling
- Infusion site mobility decreased
- Infusion site pain
- Infusion site pruritus
- Infusion site reaction
- Infusion site scar
- Infusion site streaking
- Infusion site swelling
- Infusion site urticaria
- Infusion site warmth
- Ingrowing nail
- Ingrown hair
- Inguinal hernia
- Inguinal hernia repair
- Inguinal hernia, obstructive
- Inguinal mass
- Inhalation therapy
- Inhibiting antibodies
- Inhibiting antibodies positive
- Inhibitory drug interaction
- Initial insomnia
- Injectable contraception
- Injected limb mobility decreased
- Injection
- Injection related reaction
- Injection site abscess
- Injection site abscess sterile
- Injection site anaesthesia
- Injection site atrophy
- Injection site bruising
- Injection site calcification
- Injection site cellulitis
- Injection site coldness
- Injection site cyst
- Injection site deformation
- Injection site dermatitis
- Injection site desquamation
- Injection site discharge
- Injection site discolouration
- Injection site discomfort
- Injection site dryness
- Injection site dysaesthesia
- Injection site eczema
- Injection site erosion
- Injection site erythema
- Injection site exfoliation
- Injection site extravasation
- Injection site fibrosis
- Injection site granuloma
- Injection site haematoma
- Injection site haemorrhage
- Injection site hyperaesthesia
- Injection site hypersensitivity
- Injection site hypertrichosis
- Injection site hypertrophy
- Injection site hypoaesthesia
- Injection site indentation
- Injection site induration
- Injection site infection
- Injection site inflammation
- Injection site injury
- Injection site irritation
- Injection site joint discomfort
- Injection site joint effusion
- Injection site joint erythema
- Injection site joint infection
- Injection site joint inflammation
- Injection site joint movement impairment
-
- Injection site joint pain
- Injection site joint redness
- Injection site joint swelling
- Injection site joint warmth
- Injection site laceration
- Injection site lymphadenopathy
- Injection site macule
- Injection site mass
- Injection site movement impairment
- Injection site muscle atrophy
- Injection site muscle weakness
- Injection site necrosis
- Injection site nerve damage
- Injection site nodule
- Injection site oedema
- Injection site pain
- Injection site pallor
- Injection site panniculitis
- Injection site papule
- Injection site paraesthesia
- Injection site phlebitis
- Injection site plaque
- Injection site pruritus
- Injection site pustule
- Injection site rash
- Injection site reaction
- Injection site recall reaction
- Injection site scab
- Injection site scar
- Injection site streaking
- Injection site swelling
- Injection site telangiectasia
- Injection site thrombosis
- Injection site ulcer
- Injection site urticaria
- Injection site vasculitis
- Injection site vesicles
- Injection site warmth
- Injury
- Injury asphyxiation
- Injury associated with device
- Injury corneal
- Injury to brachial plexus due to
- birth trauma
- Inner ear disorder
- Inner ear infarction
- Inner ear inflammation
- Inner ear operation
- Insomnia
- Inspiratory capacity
- Inspiratory capacity abnormal
- Inspiratory capacity decreased
- Inspiratory capacity normal
- Instillation site erythema
- Instillation site exfoliation
- Instillation site foreign body sensation
-
- Instillation site haemorrhage
- Instillation site induration
- Instillation site pain
- Instillation site paraesthesia
- Instillation site reaction
- Instillation site vesicles
- Instillation site warmth
- Insulin C-peptide
- Insulin C-peptide abnormal
- Insulin C-peptide decreased
- Insulin C-peptide increased
- Insulin C-peptide normal
- Insulin autoimmune syndrome
- Insulin resistance
- Insulin resistance test
- Insulin resistant diabetes
- Insulin therapy
- Insulin tolerance test
- Insulin tolerance test abnormal
- Insulin-like growth factor
- Insulin-like growth factor increased
- Insulin-requiring type 2 diabetes
- mellitus
- Insulin-requiring type II diabetes
- mellitus
- Insulinoma
- Insurance issue
- Intellectual disability
- Intelligence test
- Intelligence test abnormal
- Intensive care
- Intensive care unit acquired weakness
-
- Intensive care unit delirium
- Intention tremor
- Intentional device misuse
- Intentional dose omission
- Intentional drug misuse
- Intentional medical device removal
- by patient
- Intentional overdose
- Intentional product misuse
- Intentional product misuse to child
- Intentional product use issue
- Intentional removal of drug
- delivery system by patient
- Intentional self-injury
- Intentional underdose
- Intercapillary glomerulosclerosis
- Intercepted drug administration error
-
- Intercepted drug dispensing error
- Intercepted drug prescribing error
- Intercepted medication error
- Intercepted product administration error
-
- Intercepted product dispensing error
- Intercepted product preparation error
-
- Intercepted product prescribing error
-
- Intercepted product storage error
- Interchange of vaccine products
- Intercostal neuralgia
- Intercostal retraction
- Interferon alpha level
- Interferon alpha level increased
- Interferon beta level
- Interferon beta level increased
- Interferon gamma decreased
- Interferon gamma level
- Interferon gamma normal
- Interferon gamma receptor deficiency
- Interferon gamma release assay
- Interferon gamma release assay positive
-
- Interleukin level
- Interleukin level decreased
- Interleukin level increased
- Interleukin therapy
- Interleukin-2 receptor assay
- Interleukin-2 receptor increased
- Intermenstrual bleeding
- Intermittent claudication
- Intermittent explosive disorder
- Intermittent positive pressure breathing
-
- Internal capsule infarction
- Internal carotid artery deformity
- Internal device exposed
- Internal fixation of fracture
- Internal fixation of spine
- Internal haemorrhage
- Internal hernia
- Internal injury
- International normalised ratio
- International normalised ratio abnormal
-
- International normalised ratio decreased
-
- International normalised ratio
- fluctuation
- International normalised ratio increased
-
- International normalised ratio normal
-
- Interspinous osteoarthritis
- Interstitial granulomatous dermatitis
-
- Interstitial lung abnormality
- Interstitial lung disease
- Intertrigo
- Interventional procedure
- Interventricular septum rupture
- Intervertebral disc annular tear
- Intervertebral disc calcification
- Intervertebral disc compression
- Intervertebral disc degeneration
- Intervertebral disc disorder
- Intervertebral disc displacement
- Intervertebral disc injury
- Intervertebral disc operation
- Intervertebral disc protrusion
- Intervertebral disc space narrowing
- Intervertebral discitis
- Intestinal adenocarcinoma
- Intestinal adhesion lysis
- Intestinal anastomosis
- Intestinal angina
- Intestinal angioedema
- Intestinal atony
- Intestinal atresia
- Intestinal barrier dysfunction
- Intestinal congestion
- Intestinal cyst
- Intestinal dilatation
- Intestinal fistula
- Intestinal functional disorder
- Intestinal gangrene
- Intestinal haematoma
- Intestinal haemorrhage
- Intestinal infarction
- Intestinal intraepithelial
- lymphocytes increased
- Intestinal ischaemia
- Intestinal malrotation
- Intestinal malrotation repair
- Intestinal mass
- Intestinal metaplasia
- Intestinal metastasis
- Intestinal mucosal atrophy
- Intestinal mucosal hypertrophy
- Intestinal mucosal tear
- Intestinal obstruction
- Intestinal operation
- Intestinal perforation
- Intestinal polyp
- Intestinal prolapse
- Intestinal pseudo-obstruction
- Intestinal resection
- Intestinal sepsis
- Intestinal stenosis
- Intestinal stent insertion
- Intestinal strangulation
- Intestinal transit time
- Intestinal transit time abnormal
- Intestinal transit time decreased
- Intestinal transit time increased
- Intestinal tuberculosis
- Intestinal ulcer
- Intestinal vascular disorder
- Intestinal villi atrophy
- Intoxication by breast feeding
- Intra-abdominal fluid collection
- Intra-abdominal haemangioma
- Intra-abdominal haematoma
- Intra-abdominal haemorrhage
- Intra-abdominal pressure increased
- Intra-aortic balloon placement
- Intra-cerebral aneurysm operation
- Intra-ocular injection
- Intra-thoracic aortic aneurysm repair
-
- Intra-uterine contraceptive device
- insertion
- Intra-uterine contraceptive device
- removal
- Intra-uterine death
- Intracardiac mass
- Intracardiac pressure increased
- Intracardiac thrombus
- Intracerebral haematoma evacuation
- Intracranial aneurysm
- Intracranial artery dissection
- Intracranial
- contrast-enhanced magnetic resonance venography
- Intracranial haemangioma
- Intracranial haematoma
- Intracranial haemorrhage neonatal
- Intracranial hypotension
- Intracranial infection
- Intracranial lipoma
- Intracranial mass
- Intracranial pressure increased
- Intracranial venous sinus thrombosis
- Intraductal papillary mucinous neoplasm
-
- Intraductal papilloma of breast
- Intraductal proliferative breast lesion
-
- Intrahepatic portal hepatic venous
- fistula
- Intramammary lymph node
- Intramedullary rod insertion
- Intranasal hypoaesthesia
- Intranasal paraesthesia
- Intraocular lens implant
- Intraocular pressure decreased
- Intraocular pressure increased
- Intraocular pressure test
- Intraocular pressure test abnormal
- Intraocular pressure test normal
- Intraoperative neurophysiologic
- monitoring
- Intraosseous access placement
- Intrapartum haemorrhage
- Intrapericardial thrombosis
- Intratumoural haematoma
- Intratympanic injection
- Intrauterine contraception
- Intrauterine infection
- Intravascular haemolysis
- Intravascular papillary
- endothelial hyperplasia
- Intraventricular haemorrhage
- Intraventricular haemorrhage neonatal
-
- Intravesical immunotherapy
- Intrinsic factor antibody
- Intrinsic factor antibody negative
- Intrinsic factor antibody positive
- Intrusive thoughts
- Intubation
- Intussusception
- Invasive breast carcinoma
- Invasive ductal breast carcinoma
- Invasive lobular breast carcinoma
- Invasive papillary breast carcinoma
- Investigation
- Investigation abnormal
- Investigation noncompliance
- Investigation normal
- Iodine allergy
- Iodine uptake
- Iodine uptake abnormal
- Iodine uptake decreased
- Iodine uptake increased
- Iodine uptake normal
- Iontophoresis
- Iridectomy
- Iridocele
- Iridocorneal endothelial syndrome
- Iridocyclitis
- Iridodialysis
- Iridotomy
- Iris adhesions
- Iris bombe
- Iris coloboma
- Iris cyst
- Iris discolouration
- Iris disorder
- Iris haemorrhage
- Iris hypopigmentation
- Iris injury
- Iris neovascularisation
- Iritis
- Irlen syndrome
- Iron binding capacity total
- Iron binding capacity total abnormal
- Iron binding capacity total decreased
-
- Iron binding capacity total increased
-
- Iron binding capacity total normal
- Iron binding capacity unsaturated
- Iron binding capacity unsaturated
- decreased
- Iron deficiency
- Iron deficiency anaemia
- Iron metabolism disorder
- Iron overload
- Irregular breathing
- Irregular sleep phase
- Irregular sleep wake rhythm disorder
- Irrigation therapy
- Irritability
- Irritability postvaccinal
- Irritable bowel syndrome
- Ischaemia
- Ischaemic cardiomyopathy
- Ischaemic cerebral infarction
- Ischaemic contracture of the left
- ventricle
- Ischaemic demyelination
- Ischaemic enteritis
- Ischaemic hepatitis
- Ischaemic limb pain
- Ischaemic neuropathy
- Ischaemic skin ulcer
- Ischaemic stroke
- Isocitrate dehydrogenase gene mutation
-
- Isoimmune haemolytic disease
- Itching scar
- JC polyomavirus test
- JC polyomavirus test negative
- JC polyomavirus test positive
- JC virus CSF test positive
- JC virus infection
- JC virus test
- JC virus test negative
- JC virus test positive
- Jamais vu
- Janeway lesion
- Janus kinase 2 mutation
- Japanese spotted fever
- Jarisch-Herxheimer reaction
- Jaundice
- Jaundice acholuric
- Jaundice cholestatic
- Jaundice hepatocellular
- Jaundice neonatal
- Jaw clicking
- Jaw cyst
- Jaw disorder
- Jaw fistula
- Jaw fracture
- Jaw lesion excision
- Jaw operation
- Jealous delusion
- Jejunal perforation
- Jejunostomy
- Jessner's lymphocytic infiltration
- Job change
- Job dissatisfaction
- Joint abscess
- Joint adhesion
- Joint ankylosis
- Joint arthroplasty
- Joint capsule rupture
- Joint contracture
- Joint crepitation
- Joint debridement
- Joint deposit
- Joint destruction
- Joint dislocation
- Joint dislocation postoperative
- Joint dislocation reduction
- Joint effusion
- Joint fluid drainage
- Joint hyperextension
- Joint impingement
- Joint injection
- Joint injury
- Joint instability
- Joint irrigation
- Joint laxity
- Joint lock
- Joint manipulation
- Joint microhaemorrhage
- Joint noise
- Joint position sense decreased
- Joint prosthesis user
- Joint range of motion decreased
- Joint range of motion measurement
- Joint resurfacing surgery
- Joint space narrowing
- Joint sprain
- Joint stabilisation
- Joint stiffness
- Joint surgery
- Joint swelling
- Joint tuberculosis
- Joint vibration
- Joint warmth
- Judgement impaired
- Jugular vein distension
- Jugular vein embolism
- Jugular vein haemorrhage
- Jugular vein occlusion
- Jugular vein thrombosis
- Juvenile absence epilepsy
- Juvenile arthritis
- Juvenile idiopathic arthritis
- Juvenile myoclonic epilepsy
- Juvenile polymyositis
- Juvenile psoriatic arthritis
- K-ras gene mutation
- KL-6
- KL-6 increased
- Kabuki make-up syndrome
- Kaolin cephalin clotting time
- Kaolin cephalin clotting time normal
- Kaolin cephalin clotting time prolonged
-
- Kaolin cephalin clotting time shortened
-
- Kaposi's sarcoma
- Kaposi's sarcoma AIDS related
- Kaposi's varicelliform eruption
- Karnofsky scale
- Karyotype analysis
- Karyotype analysis abnormal
- Karyotype analysis normal
- Kawasaki's disease
- Kearns-Sayre syndrome
- Keloid scar
- Keratic precipitates
- Keratinising squamous cell
- carcinoma of nasopharynx
- Keratitis
- Keratitis bacterial
- Keratitis fungal
- Keratitis herpetic
- Keratitis interstitial
- Keratitis viral
- Keratoacanthoma
- Keratoconus
- Keratoderma blenorrhagica
- Keratolysis exfoliativa acquired
- Keratometry
- Keratomileusis
- Keratopathy
- Keratoplasty
- Keratosis follicular
- Keratosis obturans
- Keratosis pilaris
- Keratouveitis
- Kernig's sign
- Ketoacidosis
- Ketogenic diet
- Ketonuria
- Ketosis
- Ketosis-prone diabetes mellitus
- Kidney congestion
- Kidney contusion
- Kidney duplex
- Kidney enlargement
- Kidney fibrosis
- Kidney infection
- Kidney malformation
- Kidney malrotation
- Kidney rupture
- Kidney small
- Kidney transplant rejection
- Kinematic imbalances due to
- suboccipital strain
- Kinesiophobia
- Kinesitherapy
- Klebsiella bacteraemia
- Klebsiella infection
- Klebsiella sepsis
- Klebsiella test
- Klebsiella test positive
- Klebsiella urinary tract infection
- Kleihauer-Betke test
- Kleihauer-Betke test negative
- Klinefelter's syndrome
- Kluver-Bucy syndrome
- Knee arthroplasty
- Knee deformity
- Knee meniscectomy
- Knee operation
- Knuckle pads
- Koebner phenomenon
- Kohler's disease
- Koilonychia
- Korsakoff's syndrome
- Kounis syndrome
- Krabbe's disease
- Kussmaul respiration
- Kyphoscoliosis
- Kyphosis
- LDL/HDL ratio
- LDL/HDL ratio decreased
- LDL/HDL ratio increased
- LE cells
- LE cells present
- Labelled drug-disease
- interaction medication error
- Labelled drug-drug interaction issue
- Labelled drug-drug interaction
- medication error
- Labelled drug-food interaction
- medication error
- Labia enlarged
- Labial tie
- Labile blood pressure
- Labile hypertension
- Laboratory test
- Laboratory test abnormal
- Laboratory test interference
- Laboratory test normal
- Labour augmentation
- Labour complication
- Labour induction
- Labour onset delayed
- Labour pain
- Labour stimulation
- Labyrinthine fistula
- Labyrinthitis
- Laceration
- Lack of administration site rotation
- Lack of injection site rotation
- Lack of satiety
- Lack of spontaneous speech
- Lack of vaccination site rotation
- Lacrimal cyst
- Lacrimal disorder
- Lacrimal gland enlargement
- Lacrimal gland operation
- Lacrimal haemorrhage
- Lacrimal structural disorder
- Lacrimation decreased
- Lacrimation disorder
- Lacrimation increased
- Lactase deficiency
- Lactate dehydrogenase urine
- Lactate pyruvate ratio
- Lactate pyruvate ratio abnormal
- Lactate pyruvate ratio normal
- Lactation disorder
- Lactation insufficiency
- Lactation puerperal increased
- Lactic acidosis
- Lactobacillus infection
- Lactobacillus test positive
- Lactose intolerance
- Lactose tolerance test
- Lactose tolerance test abnormal
- Lactose tolerance test normal
- Lacunar infarction
- Lacunar stroke
- Lagophthalmos
- Lambl's excrescences
- Langerhans' cell granulomatosis
- Langerhans' cell histiocytosis
- Language disorder
- Laparoscopic surgery
- Laparoscopy
- Laparoscopy abnormal
- Laparoscopy normal
- Laparotomy
- Large cell lung cancer
- Large fibre neuropathy
- Large for dates baby
- Large granular lymphocytosis
- Large intestinal haemorrhage
- Large intestinal obstruction
- Large intestinal obstruction reduction
-
- Large intestinal polypectomy
- Large intestinal stenosis
- Large intestinal ulcer
- Large intestinal ulcer haemorrhage
- Large intestine anastomosis
- Large intestine benign neoplasm
- Large intestine erosion
- Large intestine infection
- Large intestine operation
- Large intestine perforation
- Large intestine polyp
- Laryngeal cancer
- Laryngeal cancer stage IV
- Laryngeal discomfort
- Laryngeal disorder
- Laryngeal dyspnoea
- Laryngeal erythema
- Laryngeal haematoma
- Laryngeal haemorrhage
- Laryngeal hypertrophy
- Laryngeal inflammation
- Laryngeal injury
- Laryngeal mask airway insertion
- Laryngeal mass
- Laryngeal neoplasm
- Laryngeal nerve dysfunction
- Laryngeal nerve palsy
- Laryngeal obstruction
- Laryngeal oedema
- Laryngeal operation
- Laryngeal pain
- Laryngeal papilloma
- Laryngeal stenosis
- Laryngeal stroboscopy
- Laryngeal tremor
- Laryngeal ulceration
- Laryngeal ventricle prolapse
- Laryngectomy
- Laryngitis
- Laryngitis allergic
- Laryngitis bacterial
- Laryngitis viral
- Laryngomalacia
- Laryngopharyngitis
- Laryngoscopy
- Laryngoscopy abnormal
- Laryngoscopy normal
- Laryngospasm
- Laryngotracheal oedema
- Laryngotracheitis obstructive
- Laryngotracheobronchoscopy
- Larynx irritation
- Lasegue's test
- Lasegue's test negative
- Lasegue's test positive
- Laser doppler flowmetry
- Laser speckle contrast imaging
- Laser therapy
- Latent autoimmune diabetes in adults
- Latent syphilis
- Latent tetany
- Latent tuberculosis
- Lateral medullary syndrome
- Lateral position
- Lateropulsion
- Latex allergy
- Laziness
- Lead dislodgement
- Lead urine increased
- Lead urine normal
- Learning disability
- Learning disorder
- Left atrial appendage closure implant
-
- Left atrial dilatation
- Left atrial enlargement
- Left atrial hypertrophy
- Left atrial volume increased
- Left ventricle outflow tract obstruction
-
- Left ventricular dilatation
- Left ventricular dysfunction
- Left ventricular end-diastolic pressure
-
- Left ventricular end-diastolic
- pressure decreased
- Left ventricular end-diastolic
- pressure increased
- Left ventricular enlargement
- Left ventricular failure
- Left ventricular false tendon
- Left ventricular hypertrophy
- Left-handedness
- Left-to-right cardiac shunt
- Leg amputation
- Legal problem
- Legionella infection
- Legionella serology
- Legionella test
- Legionella test positive
- Leiomyoma
- Leiomyosarcoma
- Lemierre syndrome
- Length at birth
- Lennox-Gastaut syndrome
- Lens disorder
- Lens extraction
- Lenticular opacities
- Lenticular pigmentation
- Lenticulostriatal vasculopathy
- Lentigo
- Lentigo maligna
- Lentivirus test positive
- Lepromatous leprosy
- Leprosy
- Leptospira test
- Leptospira test positive
- Leptospirosis
- Leriche syndrome
- Leser-Trelat sign
- Lesion excision
- Lethargy
- Leucine aminopeptidase
- Leucine aminopeptidase increased
- Leukaemia
- Leukaemia granulocytic
- Leukaemia in remission
- Leukaemia monocytic
- Leukaemia recurrent
- Leukaemic infiltration
- Leukaemic lymphoma
- Leukaemoid reaction
- Leukoaraiosis
- Leukocyte alkaline phosphatase
- Leukocyte alkaline phosphatase increased
-
- Leukocyte antigen B-27 positive
- Leukocyte vacuolisation
- Leukocytoclastic vasculitis
- Leukocytosis
- Leukocyturia
- Leukoderma
- Leukodystrophy
- Leukoencephalomyelitis
- Leukoencephalopathy
- Leukoerythroblastic anaemia
- Leukonychia
- Leukopenia
- Leukoplakia
- Leukoplakia oral
- Leukostasis syndrome
- Leukotriene test
- Lewis-Sumner syndrome
- Lhermitte's sign
- Libido decreased
- Libido disorder
- Libido increased
- Lice infestation
- Lichen nitidus
- Lichen planopilaris
- Lichen planus
- Lichen sclerosus
- Lichen striatus
- Lichenification
- Lichenoid keratosis
- Lid lag
- Lid margin discharge
- Lid sulcus deepened
- Life expectancy shortened
- Life support
- Ligament calcification
- Ligament disorder
- Ligament injury
- Ligament laxity
- Ligament operation
- Ligament pain
- Ligament rupture
- Ligament sprain
- Ligamentitis
- Ligamentum flavum hypertrophy
- Light anaesthesia
- Light chain analysis
- Light chain analysis abnormal
- Light chain analysis decreased
- Light chain analysis increased
- Light chain analysis normal
- Light chain disease
- Limb amputation
- Limb asymmetry
- Limb crushing injury
- Limb deformity
- Limb discomfort
- Limb fracture
- Limb girth decreased
- Limb girth increased
- Limb hypoplasia congenital
- Limb immobilisation
- Limb injury
- Limb malformation
- Limb mass
- Limb operation
- Limb prosthesis user
- Limb reconstructive surgery
- Limb reduction defect
- Limbal swelling
- Limbic encephalitis
- Limited symptom panic attack
- Linear IgA disease
- Lip and/or oral cavity cancer
- Lip and/or oral cavity cancer recurrent
-
- Lip blister
- Lip cosmetic procedure
- Lip discolouration
- Lip disorder
- Lip dry
- Lip erosion
- Lip erythema
- Lip exfoliation
- Lip haematoma
- Lip haemorrhage
- Lip infection
- Lip injury
- Lip lesion excision
- Lip neoplasm
- Lip neoplasm malignant stage unspecified
-
- Lip oedema
- Lip operation
- Lip pain
- Lip pruritus
- Lip scab
- Lip swelling
- Lip ulceration
- Lipaemic index score
- Lipase
- Lipase abnormal
- Lipase decreased
- Lipase increased
- Lipase normal
- Lipase urine
- Lipectomy
- Lipid metabolism disorder
- Lipids
- Lipids abnormal
- Lipids decreased
- Lipids increased
- Lipids normal
- Lipoatrophy
- Lipodystrophy acquired
- Lipoedema
- Lipohypertrophy
- Lipoma
- Lipoma excision
- Lipomatosis
- Lipoprotein (a)
- Lipoprotein (a) abnormal
- Lipoprotein (a) increased
- Lipoprotein (a) normal
- Lipoprotein abnormal
- Lipoprotein deficiency
- Lipoprotein increased
- Lipoprotein-associated phospholipase A2
-
- Liposarcoma
- Liposuction
- Liquid product physical issue
- Lissencephaly
- Listeria test
- Listeria test positive
- Listeriosis
- Listless
- Lithiasis
- Lithotripsy
- Live birth
- Livedo reticularis
- Liver abscess
- Liver carcinoma ruptured
- Liver contusion
- Liver dialysis
- Liver disorder
- Liver function test
- Liver function test abnormal
- Liver function test decreased
- Liver function test increased
- Liver function test normal
- Liver induration
- Liver injury
- Liver iron concentration decreased
- Liver opacity
- Liver operation
- Liver palpable
- Liver palpable subcostal
- Liver sarcoidosis
- Liver scan
- Liver scan abnormal
- Liver scan normal
- Liver tenderness
- Liver transplant
- Liver transplant failure
- Liver transplant rejection
- Liver-kidney microsomal antibody
- Lividity
- Living alone
- Living in residential institution
- Lobar pneumonia
- Lobular breast carcinoma in situ
- Local anaesthesia
- Local reaction
- Local swelling
- Localised alternating hot and cold
- therapy
- Localised infection
- Localised intraabdominal fluid
- collection
- Localised oedema
- Lochial infection
- Locked-in syndrome
- Locomotive syndrome
- Loeffler's syndrome
- Loefgren syndrome
- Logorrhoea
- Long QT syndrome
- Long thoracic nerve palsy
- Loop electrosurgical excision procedure
-
- Loose associations
- Loose body in joint
- Loose tooth
- Lordosis
- Loss of bladder sensation
- Loss of consciousness
- Loss of control of legs
- Loss of dreaming
- Loss of employment
- Loss of libido
- Loss of personal independence in
- daily activities
- Loss of proprioception
- Loss of therapeutic response
- Loss of visual contrast sensitivity
- Low birth weight baby
- Low carbohydrate diet
- Low cardiac output syndrome
- Low density lipoprotein
- Low density lipoprotein abnormal
- Low density lipoprotein decreased
- Low density lipoprotein increased
- Low density lipoprotein normal
- Low income
- Low lung compliance
- Low set ears
- Lower extremity mass
- Lower gastrointestinal haemorrhage
- Lower gastrointestinal perforation
- Lower limb artery perforation
- Lower limb fracture
- Lower motor neurone lesion
- Lower respiratory tract congestion
- Lower respiratory tract infection
- Lower respiratory tract infection
- bacterial
- Lower respiratory tract infection fungal
-
- Lower respiratory tract infection viral
-
- Lower respiratory tract inflammation
- Lower urinary tract symptoms
- Ludwig angina
- Lumbar hernia
- Lumbar puncture
- Lumbar puncture abnormal
- Lumbar puncture normal
- Lumbar radiculopathy
- Lumbar spinal stenosis
- Lumbar spine flattening
- Lumbar vertebral fracture
- Lumbarisation
- Lumboperitoneal shunt
- Lumbosacral plexopathy
- Lumbosacral plexus injury
- Lumbosacral plexus lesion
- Lumbosacral radiculopathy
- Lumbosacral radiculoplexus neuropathy
-
- Lung abscess
- Lung adenocarcinoma
- Lung adenocarcinoma metastatic
- Lung adenocarcinoma recurrent
- Lung adenocarcinoma stage III
- Lung adenocarcinoma stage IV
- Lung assist device therapy
- Lung cancer metastatic
- Lung carcinoma cell type
- unspecified recurrent
- Lung carcinoma cell type unspecified
- stage 0
- Lung carcinoma cell type unspecified
- stage I
- Lung carcinoma cell type
- unspecified stage III
- Lung carcinoma cell type unspecified
- stage IV
- Lung consolidation
- Lung cyst
- Lung diffusion disorder
- Lung diffusion test
- Lung diffusion test decreased
- Lung disorder
- Lung hernia
- Lung hyperinflation
- Lung hypoinflation
- Lung induration
- Lung infection
- Lung infiltration
- Lung lobectomy
- Lung neoplasm
- Lung neoplasm malignant
- Lung neoplasm surgery
- Lung opacity
- Lung operation
- Lung perforation
- Lung squamous cell carcinoma stage IV
-
- Lung transplant
- Lung transplant rejection
- Lupus anticoagulant
- hypoprothrombinaemia syndrome
- Lupus cystitis
- Lupus endocarditis
- Lupus enteritis
- Lupus hepatitis
- Lupus miliaris disseminatus faciei
- Lupus myositis
- Lupus nephritis
- Lupus vasculitis
- Lupus vulgaris
- Lupus-like syndrome
- Luteal phase deficiency
- Lyme carditis
- Lyme disease
- Lymph gland infection
- Lymph node abscess
- Lymph node calcification
- Lymph node fibrosis
- Lymph node haemorrhage
- Lymph node pain
- Lymph node palpable
- Lymph node rupture
- Lymph node tuberculosis
- Lymph node ulcer
- Lymph nodes scan abnormal
- Lymph nodes scan normal
- Lymphadenectomy
- Lymphadenitis
- Lymphadenitis bacterial
- Lymphadenitis viral
- Lymphadenopathy
- Lymphadenopathy mediastinal
- Lymphangiectasia
- Lymphangiectasia intestinal
- Lymphangiogram
- Lymphangioleiomyomatosis
- Lymphangioma
- Lymphangiopathy
- Lymphangiosis carcinomatosa
- Lymphangitis
- Lymphatic disorder
- Lymphatic duct injury
- Lymphatic fistula
- Lymphatic insufficiency
- Lymphatic malformation
- Lymphatic mapping
- Lymphatic obstruction
- Lymphatic system neoplasm
- Lymphoblast count
- Lymphoblast count increased
- Lymphocele
- Lymphocyte adoptive therapy
- Lymphocyte count
- Lymphocyte count abnormal
- Lymphocyte count decreased
- Lymphocyte count increased
- Lymphocyte count normal
- Lymphocyte morphology
- Lymphocyte morphology abnormal
- Lymphocyte morphology normal
- Lymphocyte percentage
- Lymphocyte percentage abnormal
- Lymphocyte percentage decreased
- Lymphocyte percentage increased
- Lymphocyte stimulation test
- Lymphocyte stimulation test negative
- Lymphocyte stimulation test positive
- Lymphocyte transformation test
- Lymphocytic hypophysitis
- Lymphocytic infiltration
- Lymphocytic leukaemia
- Lymphocytic lymphoma
- Lymphocytosis
- Lymphoedema
- Lymphohistiocytosis
- Lymphoid hyperplasia of appendix
- Lymphoid hyperplasia of intestine
- Lymphoid tissue hyperplasia
- Lymphoid tissue operation
- Lymphoma
- Lymphomatoid papulosis
- Lymphopenia
- Lymphoplasia
- Lymphoplasmacytoid lymphoma/immunocytoma
-
- Lymphoplasmacytoid
- lymphoma/immunocytoma stage IV
- Lymphoproliferative disorder
- Lymphorrhoea
- Lymphostasis
- Lysinuric protein intolerance
- Lysozyme
- Lysozyme increased
- Lyssavirus test positive
- MAGIC syndrome
- MELAS syndrome
- MERS-CoV test
- MERS-CoV test negative
- MPL gene mutation
- Macroangiopathy
- Macrocephaly
- Macrocytosis
- Macroglossia
- Macrophage activation
- Macrophage count
- Macrophage inflammatory
- protein-1 alpha decreased
- Macrophage inflammatory
- protein-1 alpha increased
- Macrophages decreased
- Macrophages increased
- Macroprolactinaemia
- Macrosomia
- Macula thickness measurement
- Macular cherry-red spots
- Macular degeneration
- Macular detachment
- Macular fibrosis
- Macular hole
- Macular ischaemia
- Macular oedema
- Macular opacity
- Macular pigmentation
- Macular pseudohole
- Macular rupture
- Macular scar
- Macular telangiectasia
- Macular thickening
- Macule
- Maculopathy
- Madarosis
- Magnesium deficiency
- Magnetic resonance
- cholangiopancreatography
- Magnetic resonance elastography
- Magnetic resonance imaging
- Magnetic resonance imaging abdominal
- Magnetic resonance imaging abdominal
- abnormal
- Magnetic resonance imaging abdominal
- normal
- Magnetic resonance imaging abnormal
- Magnetic resonance imaging brain
- Magnetic resonance imaging brain
- abnormal
- Magnetic resonance imaging brain normal
-
- Magnetic resonance imaging breast
- Magnetic resonance imaging breast
- abnormal
- Magnetic resonance imaging breast normal
-
- Magnetic resonance imaging head
- Magnetic resonance imaging head abnormal
-
- Magnetic resonance imaging head normal
-
- Magnetic resonance imaging heart
- Magnetic resonance imaging hepatobiliary
-
- Magnetic resonance imaging
- hepatobiliary abnormal
- Magnetic resonance imaging joint
- Magnetic resonance imaging liver
- abnormal
- Magnetic resonance imaging neck
- Magnetic resonance imaging normal
- Magnetic resonance imaging pancreas
- Magnetic resonance imaging pelvic
- Magnetic resonance imaging renal
- Magnetic resonance imaging spinal
- Magnetic resonance imaging spinal
- abnormal
- Magnetic resonance imaging spinal normal
-
- Magnetic resonance imaging thoracic
- Magnetic resonance imaging thoracic
- abnormal
- Magnetic resonance imaging thoracic
- normal
- Magnetic resonance imaging whole body
-
- Magnetic resonance neurography
- Magnetic therapy
- Maisonneuve fracture
- Major depression
- Malabsorption
- Malabsorption from administration site
-
- Malaise
- Malaria
- Malaria antibody positive
- Malaria antibody test
- Malaria antibody test negative
- Malaria antibody test positive
- Malaria antigen test
- Malaria recrudescence
- Malaria relapse
- Malassezia infection
- Male genital examination abnormal
- Male reproductive tract disorder
- Male sexual dysfunction
- Malformation venous
- Malignant ascites
- Malignant atrophic papulosis
- Malignant breast lump removal
- Malignant dysphagia
- Malignant fibrous histiocytoma
- Malignant gastrointestinal obstruction
-
- Malignant hypertension
- Malignant lymphoid neoplasm
- Malignant mediastinal neoplasm
- Malignant melanoma
- Malignant melanoma in situ
- Malignant melanoma stage II
- Malignant melanoma stage IV
- Malignant neoplasm of ampulla of Vater
-
- Malignant neoplasm of eye
- Malignant neoplasm of renal pelvis
- Malignant neoplasm of spinal cord
- Malignant neoplasm of thorax
- Malignant neoplasm of unknown primary
- site
- Malignant neoplasm progression
- Malignant neoplasm removal
- Malignant nervous system neoplasm
- Malignant nipple neoplasm female
- Malignant oligodendroglioma
- Malignant palate neoplasm
- Malignant peritoneal neoplasm
- Malignant pleural effusion
- Malignant renal hypertension
- Malignant respiratory tract neoplasm
- Malignant splenic neoplasm
- Malignant tumour excision
- Malignant urinary tract neoplasm
- metastatic
- Mallampati score
- Mallet finger
- Mallory-Weiss syndrome
- Malnutrition
- Malocclusion
- Malpositioned teeth
- Mammary duct ectasia
- Mammary ductectomy
- Mammogram
- Mammogram abnormal
- Mammogram normal
- Mammoplasty
- Man-in-the-barrel syndrome
- Mandibular mass
- Manganese
- Manganese increased
- Manganese normal
- Mania
- Manic symptom
- Manifest refraction
- Manifest refraction normal
- Manipulation
- Mannose-binding lectin deficiency
- Mantle cell lymphoma
- Mantle cell lymphoma recurrent
- Manual lymphatic drainage
- Manufacturing issue
- Manufacturing laboratory controls issue
-
- Manufacturing materials issue
- Manufacturing product shipping issue
- Marasmus
- Marburg's variant multiple sclerosis
- Marcus Gunn syndrome
- Marfan's syndrome
- Marginal zone lymphoma
- Marital problem
- Marjolin's ulcer
- Marrow hyperplasia
- Masked facies
- Mass
- Mass excision
- Massage
- Mast cell activation syndrome
- Mast cell degranulation present
- Mast cell degranulation test
- Mastectomy
- Mastication disorder
- Masticatory pain
- Mastitis
- Mastitis bacterial
- Mastitis postpartum
- Mastocytoma
- Mastocytosis
- Mastoid abscess
- Mastoid disorder
- Mastoid effusion
- Mastoid exploration
- Mastoid operation
- Mastoidectomy
- Mastoiditis
- Mastoptosis
- Maternal condition affecting foetus
- Maternal death during childbirth
- Maternal distress during labour
- Maternal drugs affecting foetus
- Maternal exposure before pregnancy
- Maternal exposure during breast feeding
-
- Maternal exposure during delivery
- Maternal exposure during pregnancy
- Maternal exposure timing unspecified
- Maternal exposure via partner
- during pregnancy
- Maternal therapy to enhance
- foetal lung maturity
- Matrix metalloproteinase-3
- Matrix metalloproteinase-3 increased
- Maxillofacial operation
- Maxillofacial pain
- Maximal voluntary ventilation
- Maximal voluntary ventilation increased
-
- Maximum heart rate
- Maximum heart rate increased
- May-Thurner syndrome
- Mean arterial pressure
- Mean arterial pressure decreased
- Mean arterial pressure increased
- Mean cell haemoglobin
- Mean cell haemoglobin concentration
- Mean cell haemoglobin concentration
- abnormal
- Mean cell haemoglobin concentration
- decreased
- Mean cell haemoglobin concentration
- increased
- Mean cell haemoglobin concentration
- normal
- Mean cell haemoglobin decreased
- Mean cell haemoglobin increased
- Mean cell haemoglobin normal
- Mean cell volume
- Mean cell volume abnormal
- Mean cell volume decreased
- Mean cell volume increased
- Mean cell volume normal
- Mean platelet volume
- Mean platelet volume abnormal
- Mean platelet volume decreased
- Mean platelet volume increased
- Mean platelet volume normal
- Measles
- Measles antibody
- Measles antibody negative
- Measles antibody positive
- Measles post vaccine
- Mechanic's hand
- Mechanical ileus
- Mechanical urticaria
- Mechanical ventilation
- Mechanical ventilation complication
- Meconium abnormal
- Meconium aspiration syndrome
- Meconium in amniotic fluid
- Meconium increased
- Meconium peritonitis
- Meconium stain
- Medial tibial stress syndrome
- Median nerve injury
- Mediastinal abscess
- Mediastinal biopsy
- Mediastinal cyst
- Mediastinal disorder
- Mediastinal effusion
- Mediastinal haematoma
- Mediastinal haemorrhage
- Mediastinal mass
- Mediastinal operation
- Mediastinal shift
- Mediastinitis
- Mediastinoscopy
- Mediastinum neoplasm
- Medical cannabis therapy
- Medical counselling
- Medical device battery replacement
- Medical device change
- Medical device complication
- Medical device discomfort
- Medical device implantation
- Medical device pain
- Medical device removal
- Medical device site burn
- Medical device site cyst
- Medical device site discomfort
- Medical device site erythema
- Medical device site fistula
- Medical device site haemorrhage
- Medical device site induration
- Medical device site inflammation
- Medical device site joint infection
- Medical device site joint inflammation
-
- Medical device site joint pain
- Medical device site joint swelling
- Medical device site pain
- Medical device site pruritus
- Medical device site rash
- Medical device site reaction
- Medical device site scar
- Medical device site swelling
- Medical device site thrombosis
- Medical diet
- Medical induction of coma
- Medical observation
- Medical observation normal
- Medical procedure
- Medication dilution
- Medication error
- Medication overuse headache
- Medication residue
- Medulloblastoma
- Megacolon
- Megakaryocytes
- Megakaryocytes abnormal
- Megakaryocytes decreased
- Megakaryocytes increased
- Megakaryocytes normal
- Megaloblasts increased
- Meibomian gland dysfunction
- Meibomianitis
- Meige's syndrome
- Meigs' syndrome
- Melaena
- Melanocytic hyperplasia
- Melanocytic naevus
- Melanoderma
- Melanodermia
- Melanoma recurrent
- Melanosis
- Melanosis coli
- Melkersson-Rosenthal syndrome
- Memory impairment
- Menarche
- Mendelson's syndrome
- Meniere's disease
- Meningeal disorder
- Meningeal neoplasm
- Meningeal thickening
- Meningioma
- Meningioma benign
- Meningism
- Meningitis
- Meningitis Escherichia
- Meningitis aseptic
- Meningitis bacterial
- Meningitis borrelia
- Meningitis chemical
- Meningitis coxsackie viral
- Meningitis cryptococcal
- Meningitis enteroviral
- Meningitis haemophilus
- Meningitis herpes
- Meningitis meningococcal
- Meningitis neonatal
- Meningitis noninfective
- Meningitis pneumococcal
- Meningitis staphylococcal
- Meningitis streptococcal
- Meningitis tuberculous
- Meningitis viral
- Meningocele
- Meningocele acquired
- Meningococcal bacteraemia
- Meningococcal infection
- Meningococcal sepsis
- Meningoencephalitis bacterial
- Meningoencephalitis herpetic
- Meningoencephalitis viral
- Meningomyelitis herpes
- Meningomyelocele
- Meningoradiculitis
- Meningorrhagia
- Meniscal degeneration
- Meniscus cyst
- Meniscus injury
- Meniscus lesion
- Meniscus operation
- Meniscus removal
- Menometrorrhagia
- Menopausal disorder
- Menopausal symptoms
- Menopause
- Menopause delayed
- Menorrhagia
- Menstrual clots
- Menstrual cycle management
- Menstrual discomfort
- Menstrual disorder
- Menstrual headache
- Menstruation delayed
- Menstruation irregular
- Menstruation normal
- Mental disability
- Mental disorder
- Mental disorder due to a
- general medical condition
- Mental fatigue
- Mental impairment
- Mental retardation
- Mental retardation severity unspecified
-
- Mental status changes
- Meralgia paraesthetica
- Merycism
- Mesangioproliferative glomerulonephritis
-
- Mesenteric abscess
- Mesenteric arterial occlusion
- Mesenteric arteriosclerosis
- Mesenteric artery aneurysm
- Mesenteric artery embolism
- Mesenteric artery stenosis
- Mesenteric artery stent insertion
- Mesenteric artery thrombosis
- Mesenteric cyst
- Mesenteric haematoma
- Mesenteric haemorrhage
- Mesenteric lymphadenitis
- Mesenteric lymphadenopathy
- Mesenteric neoplasm
- Mesenteric panniculitis
- Mesenteric vascular insufficiency
- Mesenteric vascular occlusion
- Mesenteric vein thrombosis
- Mesenteric venous occlusion
- Mesenteritis
- Mesothelioma
- Mesothelioma malignant
- Metabolic acidosis
- Metabolic alkalosis
- Metabolic disorder
- Metabolic encephalopathy
- Metabolic function test
- Metabolic function test abnormal
- Metabolic function test normal
- Metabolic myopathy
- Metabolic surgery
- Metabolic syndrome
- Metachromatic leukodystrophy
- Metal poisoning
- Metamorphopsia
- Metamyelocyte count
- Metamyelocyte count increased
- Metamyelocyte percentage
- Metamyelocyte percentage increased
- Metanephrine urine
- Metanephrine urine increased
- Metanephrine urine normal
- Metaphyseal dysplasia
- Metaplasia
- Metapneumovirus infection
- Metapneumovirus pneumonia
- Metastases to abdominal cavity
- Metastases to abdominal wall
- Metastases to adrenals
- Metastases to bone
- Metastases to bone marrow
- Metastases to breast
- Metastases to central nervous system
- Metastases to chest wall
- Metastases to heart
- Metastases to kidney
- Metastases to liver
- Metastases to lung
- Metastases to lymph nodes
- Metastases to meninges
- Metastases to neck
- Metastases to nervous system
- Metastases to oesophagus
- Metastases to ovary
- Metastases to pancreas
- Metastases to pelvis
- Metastases to peritoneum
- Metastases to pituitary gland
- Metastases to pleura
- Metastases to rectum
- Metastases to skin
- Metastases to soft tissue
- Metastases to spinal cord
- Metastases to spine
- Metastases to spleen
- Metastases to stomach
- Metastases to testicle
- Metastases to the mediastinum
- Metastases to trachea
- Metastases to vagina
- Metastasis
- Metastatic bronchial carcinoma
- Metastatic carcinoid tumour
- Metastatic carcinoma of the bladder
- Metastatic cutaneous Crohn's disease
- Metastatic gastric cancer
- Metastatic lymphoma
- Metastatic malignant melanoma
- Metastatic neoplasm
- Metastatic renal cell carcinoma
- Metastatic salivary gland cancer
- Metastatic squamous cell carcinoma
- Metastatic uterine cancer
- Metatarsalgia
- Meteoropathy
- Methaemoglobin urine absent
- Methaemoglobinaemia
- Methicillin-resistant
- staphylococcal aureus test
- Methicillin-resistant
- staphylococcal aureus test negative
- Methicillin-resistant
- staphylococcal aureus test positive
- Methylenetetrahydrofolate reductase
- deficiency
- Methylenetetrahydrofolate
- reductase gene mutation
- Methylenetetrahydrofolate
- reductase polymorphism
- Methylmalonic aciduria
- Metrorrhagia
- Metrorrhoea
- Mevalonate kinase deficiency
- Microagglutination test
- Microalbuminuria
- Microangiopathic haemolytic anaemia
- Microangiopathy
- Microbiology test
- Microbiology test abnormal
- Microbiology test normal
- Microcephaly
- Micrococcus infection
- Micrococcus test positive
- Microcytic anaemia
- Microcytosis
- Microembolism
- Microencephaly
- Microgenia
- Micrognathia
- Micrographia
- Micrographic skin surgery
- Microlithiasis
- Micropenis
- Microphthalmos
- Microscopic polyangiitis
- Microscopy
- Microsleep
- Microsomia
- Microtia
- Microvascular coronary artery disease
-
- Microvascular cranial nerve palsy
- Microvillous inclusion disease
- Micturition disorder
- Micturition frequency decreased
- Micturition urgency
- Middle East respiratory syndrome
- Middle ear disorder
- Middle ear effusion
- Middle ear inflammation
- Middle insomnia
- Middle lobe syndrome
- Migraine
- Migraine prophylaxis
- Migraine with aura
- Migraine without aura
- Migraine-triggered seizure
- Mild mental retardation
- Milia
- Miliaria
- Military service
- Milk allergy
- Milk soy protein intolerance
- Milk-alkali syndrome
- Millard-Gubler syndrome
- Miller Fisher syndrome
- Mineral deficiency
- Mineral metabolism disorder
- Mineral supplementation
- Mini mental status examination
- Mini mental status examination abnormal
-
- Mini mental status examination normal
-
- Mini-tracheostomy
- Minimal residual disease
- Minimum inhibitory concentration
- Minimum inhibitory concentration
- increased
- Miosis
- Misleading laboratory test result
- Misophonia
- Missed labour
- Mite allergy
- Mitochondrial DNA deletion
- Mitochondrial DNA mutation
- Mitochondrial cytopathy
- Mitochondrial encephalomyopathy
- Mitochondrial enzyme deficiency
- Mitochondrial myopathy
- Mitochondrial myopathy acquired
- Mitochondrial toxicity
- Mitogen stimulation test
- Mitogen stimulation test normal
- Mitral valve atresia
- Mitral valve calcification
- Mitral valve disease
- Mitral valve incompetence
- Mitral valve prolapse
- Mitral valve repair
- Mitral valve replacement
- Mitral valve sclerosis
- Mitral valve stenosis
- Mitral valve thickening
- Mixed anxiety and depressive disorder
-
- Mixed connective tissue disease
- Mixed deafness
- Mixed delusion
- Mixed incontinence
- Mixed liver injury
- Mixed receptive-expressive language
- disorder
- Moaning
- Mobility decreased
- Model for end stage liver disease score
-
- Model for end stage liver
- disease score increased
- Moderate mental retardation
- Modified Rankin score
- Modified Rankin score decreased
- Moebius II syndrome
- Molar abortion
- Mole excision
- Molluscum contagiosum
- Monarthritis
- Monkeypox
- Monoblast count
- Monoblast count increased
- Monoclonal B-cell lymphocytosis
- Monoclonal antibody immunoconjugate
- therapy
- Monoclonal antibody unconjugated therapy
-
- Monoclonal gammopathy
- Monoclonal immunoglobulin
- Monoclonal immunoglobulin increased
- Monoclonal immunoglobulin present
- Monocyte count
- Monocyte count abnormal
- Monocyte count decreased
- Monocyte count increased
- Monocyte count normal
- Monocyte morphology
- Monocyte morphology abnormal
- Monocyte percentage
- Monocyte percentage abnormal
- Monocyte percentage decreased
- Monocyte percentage increased
- Monocytopenia
- Monocytosis
- Monofilament pressure perception test
-
- Monofilament pressure perception
- test abnormal
- Monomelic amyotrophy
- Mononeuritis
- Mononeuropathy
- Mononeuropathy multiplex
- Mononuclear cell count
- Mononuclear cell count abnormal
- Mononuclear cell count increased
- Mononuclear cell percentage
- Mononucleosis heterophile test
- Mononucleosis heterophile test negative
-
- Mononucleosis heterophile test positive
-
- Mononucleosis syndrome
- Monoparesis
- Monoplegia
- Montreal cognitive assessment
- Montreal cognitive assessment abnormal
-
- Mood altered
- Mood disorder due to a general
- medical condition
- Mood swings
- Moraxella infection
- Moraxella test positive
- Morbid thoughts
- Morbillivirus test positive
- Morganella infection
- Morganella test
- Morganella test positive
- Morning sickness
- Morose
- Morphoea
- Morton's neuralgia
- Morton's neuroma
- Morvan syndrome
- Motion sickness
- Motor developmental delay
- Motor dysfunction
- Motor neurone disease
- Mouth breathing
- Mouth cyst
- Mouth haemorrhage
- Mouth injury
- Mouth plaque
- Mouth swelling
- Mouth ulceration
- Movement disorder
- Moyamoya disease
- Mucinous adenocarcinoma of appendix
- Mucinous breast carcinoma
- Mucocutaneous candidiasis
- Mucocutaneous disorder
- Mucocutaneous haemorrhage
- Mucocutaneous rash
- Mucocutaneous ulceration
- Mucopolysaccharidosis II
- Mucormycosis
- Mucosa vesicle
- Mucosal atrophy
- Mucosal biopsy
- Mucosal discolouration
- Mucosal disorder
- Mucosal dryness
- Mucosal erosion
- Mucosal excoriation
- Mucosal exfoliation
- Mucosal haemorrhage
- Mucosal hyperaemia
- Mucosal hypertrophy
- Mucosal infection
- Mucosal inflammation
- Mucosal necrosis
- Mucosal pain
- Mucosal pigmentation
- Mucosal ulceration
- Mucous membrane disorder
- Mucous membrane pemphigoid
- Mucous stools
- Multi-organ disorder
- Multi-organ failure
- Multi-vitamin deficiency
- Multifocal micronodular pneumocyte
- hyperplasia
- Multifocal motor neuropathy
- Multigravida
- Multimorbidity
- Multiparous
- Multipathogen PCR test
- Multipathogen PCR test positive
- Multiple allergies
- Multiple chemical sensitivity
- Multiple congenital abnormalities
- Multiple drug therapy
- Multiple epiphyseal dysplasia
- Multiple fractures
- Multiple gated acquisition scan
- Multiple gated acquisition scan abnormal
-
- Multiple gated acquisition scan normal
-
- Multiple injuries
- Multiple myeloma
- Multiple organ dysfunction syndrome
- Multiple pregnancy
- Multiple sclerosis
- Multiple sclerosis plaque
- Multiple sclerosis pseudo relapse
- Multiple sclerosis relapse
- Multiple sclerosis relapse prophylaxis
-
- Multiple system atrophy
- Multiple use of single-use product
- Multiple-drug resistance
- Multisystem inflammatory syndrome
- Multisystem inflammatory syndrome in
- adults
- Multisystem inflammatory syndrome in
- children
- Mumps
- Mumps antibody test
- Mumps antibody test negative
- Mumps antibody test positive
- Murder
- Murine typhus
- Murphy's sign positive
- Murphy's sign test
- Muscle abscess
- Muscle atrophy
- Muscle contractions involuntary
- Muscle contracture
- Muscle contusion
- Muscle discomfort
- Muscle disorder
- Muscle electrostimulation therapy
- Muscle enzyme
- Muscle enzyme increased
- Muscle fatigue
- Muscle fibrosis
- Muscle haemorrhage
- Muscle hernia
- Muscle hypertrophy
- Muscle hypoxia
- Muscle infarction
- Muscle injury
- Muscle mass
- Muscle necrosis
- Muscle neoplasm
- Muscle oedema
- Muscle operation
- Muscle reattachment
- Muscle release
- Muscle rigidity
- Muscle rupture
- Muscle spasms
- Muscle spasticity
- Muscle strain
- Muscle strength abnormal
- Muscle strength normal
- Muscle swelling
- Muscle tension dysphonia
- Muscle tightness
- Muscle tone disorder
- Muscle twitching
- Muscular dystrophy
- Muscular weakness
- Musculoskeletal chest pain
- Musculoskeletal deformity
- Musculoskeletal discomfort
- Musculoskeletal disorder
- Musculoskeletal foreign body
- Musculoskeletal injury
- Musculoskeletal pain
- Musculoskeletal stiffness
- Musical ear syndrome
- Mutagenic effect
- Mutism
- Myalgia
- Myalgia intercostal
- Myasthenia gravis
- Myasthenia gravis crisis
- Myasthenic syndrome
- Mycetoma mycotic
- Mycobacteria test
- Mycobacterial infection
- Mycobacterium avium complex infection
-
- Mycobacterium chelonae infection
- Mycobacterium kansasii infection
- Mycobacterium test
- Mycobacterium test negative
- Mycobacterium test positive
- Mycobacterium tuberculosis complex test
-
- Mycobacterium tuberculosis
- complex test negative
- Mycobacterium tuberculosis
- complex test positive
- Mycoplasma infection
- Mycoplasma serology
- Mycoplasma serology positive
- Mycoplasma test
- Mycoplasma test negative
- Mycoplasma test positive
- Mycosis fungoides
- Mycotic allergy
- Mycotoxicosis
- Mydriasis
- Myectomy
- Myelin
- oligodendrocyte glycoprotein antibody-associated disease
- Myelitis
- Myelitis transverse
- Myeloblast count
- Myeloblast percentage
- Myeloblast percentage increased
- Myeloblast present
- Myelocyte count
- Myelocyte count decreased
- Myelocyte count increased
- Myelocyte percentage
- Myelocyte percentage decreased
- Myelocyte percentage increased
- Myelocyte present
- Myelocytosis
- Myelodysplastic syndrome
- Myelodysplastic syndrome unclassifiable
-
- Myelofibrosis
- Myeloid leukaemia
- Myelolipoma
- Myeloma cast nephropathy
- Myeloma recurrence
- Myelomalacia
- Myelopathy
- Myeloperoxidase deficiency
- Myeloproliferative disorder
- Myeloproliferative neoplasm
- Myelosuppression
- Myocardiac abscess
- Myocardial bridging
- Myocardial calcification
- Myocardial depression
- Myocardial fibrosis
- Myocardial haemorrhage
- Myocardial hypoxia
- Myocardial infarction
- Myocardial injury
- Myocardial ischaemia
- Myocardial necrosis
- Myocardial necrosis marker
- Myocardial necrosis marker increased
- Myocardial necrosis marker normal
- Myocardial oedema
- Myocardial reperfusion injury
- Myocardial rupture
- Myocardial strain
- Myocardial strain imaging
- Myocardial strain imaging abnormal
- Myocarditis
- Myocarditis bacterial
- Myocarditis infectious
- Myocarditis mycotic
- Myocarditis post infection
- Myocarditis septic
- Myoclonic dystonia
- Myoclonic epilepsy
- Myoclonus
- Myodesopsia
- Myofascial pain syndrome
- Myofascial spasm
- Myofascitis
- Myoglobin blood
- Myoglobin blood absent
- Myoglobin blood decreased
- Myoglobin blood increased
- Myoglobin blood present
- Myoglobin urine
- Myoglobin urine absent
- Myoglobin urine present
- Myoglobinaemia
- Myoglobinuria
- Myokymia
- Myolipoma
- Myomectomy
- Myopathy
- Myopericarditis
- Myopia
- Myopia correction
- Myopic chorioretinal degeneration
- Myosclerosis
- Myositis
- Myositis ossificans
- Myotonia
- Myotonic dystrophy
- Myringitis
- Myringitis bullous
- Myringoplasty
- Myringotomy
- Mysophobia
- Myxoedema
- Myxoedema coma
- Myxofibrosarcoma
- Myxoid cyst
- Myxoid liposarcoma
- Myxoma
- Myxomatous mitral valve degeneration
- N-telopeptide urine
- N-terminal prohormone brain
- natriuretic peptide
- N-terminal prohormone
- brain natriuretic peptide abnormal
- N-terminal prohormone
- brain natriuretic peptide increased
- N-terminal prohormone brain
- natriuretic peptide normal
- NIH stroke scale
- NIH stroke scale abnormal
- NIH stroke scale score decreased
- NIH stroke scale score increased
- NPM1 gene mutation
- NYHA classification
- Naevoid melanoma
- Naevus flammeus
- Naevus haemorrhage
- Nail aplasia
- Nail atrophy
- Nail avulsion
- Nail bed bleeding
- Nail bed disorder
- Nail bed infection
- Nail bed infection fungal
- Nail bed inflammation
- Nail bed tenderness
- Nail discolouration
- Nail discomfort
- Nail disorder
- Nail dystrophy
- Nail fold inflammation
- Nail growth abnormal
- Nail hypertrophy
- Nail infection
- Nail injury
- Nail matrix biopsy
- Nail necrosis
- Nail operation
- Nail picking
- Nail pigmentation
- Nail pitting
- Nail psoriasis
- Nail ridging
- Naprapathy
- Narcolepsy
- Nasal abscess
- Nasal adhesions
- Nasal aspiration
- Nasal cavity cancer
- Nasal cavity mass
- Nasal cavity packing
- Nasal congestion
- Nasal crusting
- Nasal cyst
- Nasal discharge discolouration
- Nasal discomfort
- Nasal disorder
- Nasal dryness
- Nasal flaring
- Nasal herpes
- Nasal inflammation
- Nasal injury
- Nasal irrigation
- Nasal mucosa biopsy
- Nasal mucosa telangiectasia
- Nasal mucosal blistering
- Nasal mucosal discolouration
- Nasal mucosal disorder
- Nasal mucosal erosion
- Nasal mucosal hypertrophy
- Nasal mucosal ulcer
- Nasal necrosis
- Nasal obstruction
- Nasal odour
- Nasal oedema
- Nasal operation
- Nasal polypectomy
- Nasal polyps
- Nasal potential difference test
- Nasal pruritus
- Nasal septal operation
- Nasal septum deviation
- Nasal septum disorder
- Nasal septum perforation
- Nasal sinus irrigation
- Nasal turbinate abnormality
- Nasal turbinate hypertrophy
- Nasal ulcer
- Nasal valve collapse
- Nasal vestibulitis
- Nasoendoscopy
- Nasogastric output abnormal
- Nasolaryngoscopy
- Nasopharyngeal aspiration
- Nasopharyngeal cancer
- Nasopharyngeal cancer metastatic
- Nasopharyngeal reflux
- Nasopharyngeal swab
- Nasopharyngeal tumour
- Nasopharyngitis
- Nasopharyngoscopy
- Natural killer T cell count
- Natural killer T cell count decreased
-
- Natural killer T cell count increased
-
- Natural killer cell activity abnormal
-
- Natural killer cell activity decreased
-
- Natural killer cell activity normal
- Natural killer cell activity test
- Natural killer cell count
- Natural killer cell count decreased
- Natural killer cell count increased
- Naturopathy
- Nausea
- Near death experience
- Near drowning
- Neck crushing
- Neck deformity
- Neck dissection
- Neck exploration
- Neck injury
- Neck lift
- Neck mass
- Neck pain
- Neck surgery
- Necrobiosis
- Necrobiosis lipoidica diabeticorum
- Necrolytic migratory erythema
- Necrosis
- Necrosis ischaemic
- Necrosis of artery
- Necrotic angiodermatitis
- Necrotic lymphadenopathy
- Necrotising colitis
- Necrotising enterocolitis neonatal
- Necrotising fasciitis
- Necrotising fasciitis staphylococcal
- Necrotising granulomatous lymphadenitis
-
- Necrotising herpetic retinopathy
- Necrotising myositis
- Necrotising panniculitis
- Necrotising retinitis
- Necrotising scleritis
- Necrotising soft tissue infection
- Necrotising ulcerative gingivostomatitis
-
- Necrotising ulcerative periodontitis
- Needle biopsy site unspecified abnormal
-
- Needle biopsy site unspecified normal
-
- Needle fatigue
- Needle issue
- Needle track marks
- Negative thoughts
- Negativism
- Neglect of personal appearance
- Neisseria infection
- Neisseria test
- Neisseria test negative
- Neisseria test positive
- Nematodiasis
- Neobladder surgery
- Neologism
- Neonatal alloimmune thrombocytopenia
- Neonatal anoxia
- Neonatal apnoeic attack
- Neonatal asphyxia
- Neonatal aspiration
- Neonatal candida infection
- Neonatal cardiac failure
- Neonatal cholestasis
- Neonatal cystic fibrosis screen
- Neonatal deafness
- Neonatal disorder
- Neonatal dyspnoea
- Neonatal epileptic seizure
- Neonatal gastrointestinal disorder
- Neonatal hepatomegaly
- Neonatal hypotension
- Neonatal hypoxia
- Neonatal infection
- Neonatal insufficient breast milk
- syndrome
- Neonatal intestinal obstruction
- Neonatal intestinal perforation
- Neonatal multi-organ failure
- Neonatal pneumonia
- Neonatal pneumothorax
- Neonatal respiratory acidosis
- Neonatal respiratory arrest
- Neonatal respiratory depression
- Neonatal respiratory distress
- Neonatal respiratory distress syndrome
-
- Neonatal respiratory failure
- Neonatal seizure
- Neonatal tachycardia
- Neonatal tachypnoea
- Neoplasm
- Neoplasm malignant
- Neoplasm of orbit
- Neoplasm progression
- Neoplasm prostate
- Neoplasm recurrence
- Neoplasm skin
- Neoplasm swelling
- Neovaginal infection
- Neovaginal pain
- Neovascular age-related macular
- degeneration
- Neovascularisation
- Nephrectasia
- Nephrectomy
- Nephritic syndrome
- Nephritis
- Nephritis allergic
- Nephritis bacterial
- Nephritis interstitial
- Nephrocalcinosis
- Nephrogenic anaemia
- Nephrogenic diabetes insipidus
- Nephrolithiasis
- Nephrological examination
- Nephropathy
- Nephropathy toxic
- Nephrosclerosis
- Nephrostomy
- Nephrotic syndrome
- Nephroureterectomy
- Nerve block
- Nerve compression
- Nerve conduction studies
- Nerve conduction studies abnormal
- Nerve conduction studies normal
- Nerve degeneration
- Nerve injury
- Nerve root compression
- Nerve root injury
- Nerve root injury cervical
- Nerve root injury lumbar
- Nerve root injury thoracic
- Nerve root lesion
- Nerve stimulation test
- Nerve stimulation test abnormal
- Nerve stimulation test normal
- Nervous system cyst
- Nervous system disorder
- Nervous system injury
- Nervousness
- Neural tube defect
- Neuralgia
- Neuralgic amyotrophy
- Neurilemmoma
- Neurilemmoma benign
- Neuritic plaques
- Neuritis
- Neuritis cranial
- Neuro-ophthalmological test
- Neuro-ophthalmological test abnormal
- Neuro-ophthalmological test normal
- Neuroblastoma
- Neuroborreliosis
- Neurodegenerative disorder
- Neurodermatitis
- Neurodevelopment test
- Neurodevelopmental disorder
- Neuroendocrine carcinoma
- Neuroendocrine carcinoma metastatic
- Neuroendocrine carcinoma of the skin
- Neuroendocrine tumour
- Neuroendocrine tumour of the lung
- Neuroendocrine tumour of the lung
- metastatic
- Neuroendocrine tumour of the rectum
- Neuroendoscopy
- Neurofibroma
- Neurofibromatosis
- Neurogenic bladder
- Neurogenic bowel
- Neurogenic cough
- Neurogenic hypertension
- Neurogenic shock
- Neuroleptic malignant syndrome
- Neuroleptic-induced deficit syndrome
- Neurologic neglect syndrome
- Neurologic somatic symptom disorder
- Neurological complication
- associated with device
- Neurological decompensation
- Neurological examination
- Neurological examination abnormal
- Neurological examination normal
- Neurological eyelid disorder
- Neurological infection
- Neurological procedural complication
- Neurological symptom
- Neurolysis
- Neurolysis surgical
- Neuroma
- Neuromuscular blockade
- Neuromuscular pain
- Neuromuscular toxicity
- Neuromyelitis optica
- Neuromyelitis optica spectrum disorder
-
- Neuromyopathy
- Neuromyotonia
- Neuron-specific enolase
- Neuronal ceroid lipofuscinosis
- Neuronal neuropathy
- Neurone-specific enolase
- Neurone-specific enolase decreased
- Neurone-specific enolase increased
- Neuropathic arthropathy
- Neuropathic muscular atrophy
- Neuropathic pruritus
- Neuropathic ulcer
- Neuropathy
- Neuropathy peripheral
- Neuroprosthesis implantation
- Neuropsychiatric lupus
- Neuropsychiatric symptoms
- Neuropsychiatric syndrome
- Neuropsychological test
- Neuropsychological test abnormal
- Neurosarcoidosis
- Neurosensory hypoacusis
- Neurosis
- Neurostimulator implantation
- Neurosurgery
- Neurosyphilis
- Neurotic disorder of childhood
- Neurotoxicity
- Neurotransmitter level altered
- Neurotrophic keratopathy
- Neurovascular conflict
- Neutralising antibodies
- Neutralising antibodies negative
- Neutralising antibodies positive
- Neutropenia
- Neutropenia neonatal
- Neutropenic infection
- Neutropenic sepsis
- Neutrophil chemotaxis
- Neutrophil count
- Neutrophil count abnormal
- Neutrophil count decreased
- Neutrophil count increased
- Neutrophil count normal
- Neutrophil function disorder
- Neutrophil gelatinase-associated
- lipocalin
- Neutrophil
- gelatinase-associated lipocalin increased
- Neutrophil hypersegmented morphology
- present
- Neutrophil morphology abnormal
- Neutrophil morphology normal
- Neutrophil percentage
- Neutrophil percentage abnormal
- Neutrophil percentage decreased
- Neutrophil percentage increased
- Neutrophil toxic granulation present
- Neutrophil/lymphocyte ratio
- Neutrophil/lymphocyte ratio decreased
-
- Neutrophil/lymphocyte ratio increased
-
- Neutrophilia
- Neutrophilic dermatosis
- New daily persistent headache
- Newborn persistent pulmonary
- hypertension
- Newcastle disease
- Next-generation sequencing
- Nicotinamide
- Nicotine dependence
- Nicotine test
- Nicotine test negative
- Nictitating spasm
- Night blindness
- Night sweats
- Nightmare
- Nikolsky's sign
- Nipple disorder
- Nipple enlargement
- Nipple exudate bloody
- Nipple infection
- Nipple inflammation
- Nipple oedema
- Nipple pain
- Nipple resection
- Nipple swelling
- Nitrate compound therapy
- Nitrite urine
- Nitrite urine absent
- Nitrite urine present
- Nitrituria
- No adverse drug effect
- No adverse effect
- No adverse event
- No adverse reaction
- No reaction on previous exposure to drug
-
- No therapeutic response
- Nocardiosis
- Noctiphobia
- Nocturia
- Nocturnal dyspnoea
- Nocturnal fear
- Nocturnal hypoventilation
- Nodal arrhythmia
- Nodal marginal zone B-cell lymphoma
- Nodal osteoarthritis
- Nodal rhythm
- Nodular fasciitis
- Nodular lymphocyte predominant
- Hodgkin lymphoma
- Nodular melanoma
- Nodular rash
- Nodular regenerative hyperplasia
- Nodular vasculitis
- Nodule
- Nodule on extremity
- Non-24-hour sleep-wake disorder
- Non-Hodgkin's lymphoma
- Non-Hodgkin's lymphoma recurrent
- Non-Hodgkin's lymphoma stage III
- Non-Hodgkin's lymphoma stage IV
- Non-Hodgkin's lymphoma
- unspecified histology indolent
- Non-alcoholic fatty liver
- Non-alcoholic steatohepatitis
- Non-cardiac chest pain
- Non-cardiogenic pulmonary oedema
- Non-cirrhotic portal hypertension
- Non-compaction cardiomyopathy
- Non-consummation
- Non-dipping
- Non-high-density lipoprotein cholesterol
-
- Non-high-density lipoprotein
- cholesterol increased
- Non-immune heparin associated
- thrombocytopenia
- Non-neutralising antibodies negative
- Non-obstructive cardiomyopathy
- Non-pitting oedema
- Non-scarring alopecia
- Non-small cell lung cancer
- Non-small cell lung cancer metastatic
-
- Non-small cell lung cancer stage III
- Non-small cell lung cancer stage IV
- Non-smoker
- Non-tobacco user
- Nonalcoholic fatty liver disease
- Noninfectious myelitis
- Noninfectious peritonitis
- Noninfective chorioretinitis
- Noninfective conjunctivitis
- Noninfective encephalitis
- Noninfective gingivitis
- Noninfective myringitis
- Noninfective oophoritis
- Noninfective retinitis
- Noninfective sialoadenitis
- Nonreassuring foetal heart rate pattern
-
- Nonspecific reaction
- Noonan syndrome
- Norepinephrine
- Norepinephrine increased
- Normal delivery
- Normal foetus
- Normal labour
- Normal newborn
- Normal pressure hydrocephalus
- Normal tension glaucoma
- Normetanephrine urine increased
- Normochromic anaemia
- Normochromic normocytic anaemia
- Normocytic anaemia
- Norovirus infection
- Norovirus test
- Norovirus test positive
- Nose deformity
- Nosocomephobia
- Nosocomial infection
- Nosophobia
- Notalgia paraesthetica
- Nothing by mouth order
- Nuchal rigidity
- Nuclear magnetic resonance imaging
- Nuclear magnetic resonance imaging
- abdominal
- Nuclear magnetic resonance
- imaging abdominal abnormal
- Nuclear magnetic resonance
- imaging abdominal normal
- Nuclear magnetic resonance imaging
- abnormal
- Nuclear magnetic resonance imaging brain
-
- Nuclear magnetic resonance
- imaging brain abnormal
- Nuclear magnetic resonance imaging
- brain normal
- Nuclear magnetic resonance
- imaging breast abnormal
- Nuclear magnetic resonance imaging heart
-
- Nuclear magnetic resonance imaging liver
-
- Nuclear magnetic resonance imaging neck
-
- Nuclear magnetic resonance imaging
- normal
- Nuclear magnetic resonance imaging renal
-
- Nuclear magnetic resonance imaging
- spinal
- Nuclear magnetic resonance
- imaging spinal abnormal
- Nuclear magnetic resonance imaging
- spinal cord
- Nuclear magnetic resonance
- imaging spinal cord abnormal
- Nuclear magnetic resonance
- imaging spinal cord normal
- Nuclear magnetic resonance
- imaging spinal normal
- Nuclear magnetic resonance imaging
- thoracic
- Nuclear magnetic resonance
- imaging thoracic abnormal
- Nuclear magnetic resonance
- imaging thoracic normal
- Nuclear magnetic resonance imaging
- whole body
- Nucleated red cells
- Nucleic acid test
- Nulliparous
- Numb chin syndrome
- Nutritional assessment
- Nutritional condition abnormal
- Nutritional condition normal
- Nutritional supplement allergy
- Nutritional supplementation
- Nyctalgia
- Nystagmus
- Obesity
- Obesity cardiomyopathy
- Oblique presentation
- Obliterative bronchiolitis
- Obsessive thoughts
- Obsessive-compulsive disorder
- Obsessive-compulsive personality
- disorder
- Obsessive-compulsive symptom
- Obstetric infection
- Obstetrical procedure
- Obstructed labour
- Obstruction
- Obstruction gastric
- Obstructive airways disorder
- Obstructive defaecation
- Obstructive nephropathy
- Obstructive pancreatitis
- Obstructive shock
- Obstructive sleep apnoea syndrome
- Obturator hernia
- Obturator neuropathy
- Occipital neuralgia
- Occult blood
- Occult blood negative
- Occult blood positive
- Occupational exposure to SARS-CoV-2
- Occupational exposure to
- communicable disease
- Occupational exposure to drug
- Occupational exposure to product
- Occupational exposure to sunlight
- Occupational problem environmental
- Occupational therapy
- Ocular deposits removal
- Ocular discomfort
- Ocular dysmetria
- Ocular hyperaemia
- Ocular hypertension
- Ocular icterus
- Ocular ischaemic syndrome
- Ocular lymphoma
- Ocular myasthenia
- Ocular neoplasm
- Ocular rosacea
- Ocular sarcoidosis
- Ocular toxicity
- Ocular vascular disorder
- Ocular vasculitis
- Oculocephalogyric reflex absent
- Oculofacial paralysis
- Oculogyration
- Oculogyric crisis
- Oculomotor study
- Oculomotor study abnormal
- Oculomotor study normal
- Oculomucocutaneous syndrome
- Oculopneumoplethysmogram
- Oculorespiratory syndrome
- Odynophagia
- Oedema
- Oedema blister
- Oedema due to cardiac disease
- Oedema due to hepatic disease
- Oedema due to renal disease
- Oedema genital
- Oedema mouth
- Oedema mucosal
- Oedema peripheral
- Oedematous kidney
- Oedematous pancreatitis
- Oesophageal achalasia
- Oesophageal adenocarcinoma
- Oesophageal anastomosis
- Oesophageal atresia
- Oesophageal cancer metastatic
- Oesophageal candidiasis
- Oesophageal carcinoma
- Oesophageal compression
- Oesophageal dilatation
- Oesophageal dilation procedure
- Oesophageal discomfort
- Oesophageal disorder
- Oesophageal food impaction
- Oesophageal haemorrhage
- Oesophageal hypomotility
- Oesophageal infection
- Oesophageal injury
- Oesophageal irritation
- Oesophageal lesion excision
- Oesophageal manometry
- Oesophageal mass
- Oesophageal motility disorder
- Oesophageal motility test
- Oesophageal mucosal blister
- Oesophageal mucosal tear
- Oesophageal neoplasm
- Oesophageal obstruction
- Oesophageal oedema
- Oesophageal operation
- Oesophageal pH
- Oesophageal pain
- Oesophageal papilloma
- Oesophageal perforation
- Oesophageal polyp
- Oesophageal rupture
- Oesophageal spasm
- Oesophageal squamous cell carcinoma
- Oesophageal stenosis
- Oesophageal ulcer
- Oesophageal ulcer haemorrhage
- Oesophageal variceal ligation
- Oesophageal varices haemorrhage
- Oesophageal wall hypertrophy
- Oesophagectomy
- Oesophagitis
- Oesophagitis chemical
- Oesophagitis ulcerative
- Oesophagobronchial fistula
- Oesophagocardiomyotomy
- Oesophagogastric fundoplasty
- Oesophagogastroduodenoscopy
- Oesophagogastroduodenoscopy abnormal
- Oesophagogastroduodenoscopy normal
- Oesophagogastroscopy
- Oesophagogastroscopy abnormal
- Oesophagogastroscopy normal
- Oesophagoscopy
- Oesophagoscopy abnormal
- Oesophagostomy
- Oesophagram
- Oestradiol
- Oestradiol abnormal
- Oestradiol decreased
- Oestradiol increased
- Oestradiol normal
- Oestriol
- Oestrogen deficiency
- Oestrogen receptor assay
- Oestrogen receptor assay negative
- Oestrogen receptor assay positive
- Oestrogen therapy
- Off label use
- Office visit
- Oil acne
- Olfactory dysfunction
- Olfactory nerve disorder
- Olfactory test
- Olfactory test abnormal
- Oligoarthritis
- Oligoasthenoteratozoospermia
- Oligodendroglioma
- Oligodipsia
- Oligohydramnios
- Oligomenorrhoea
- Oligospermia
- Oliguria
- Omenn syndrome
- Omental haemorrhage
- Omental infarction
- Omental necrosis
- Omentectomy
- Omentoplasty
- Omphalitis
- On and off phenomenon
- Oncocytoma
- Oncologic complication
- Oncological evaluation
- Oncotype test
- Onychalgia
- Onychoclasis
- Onycholysis
- Onychomadesis
- Onychomycosis
- Onychophagia
- Oocyte harvest
- Oophorectomy
- Oophorectomy bilateral
- Oophoritis
- Open angle glaucoma
- Open fracture
- Open globe injury
- Open reduction of fracture
- Open wound
- Ophthalmia neonatorum
- Ophthalmic artery aneurysm
- Ophthalmic artery occlusion
- Ophthalmic artery thrombosis
- Ophthalmic fluid drainage
- Ophthalmic fluid-air exchange procedure
-
- Ophthalmic herpes simplex
- Ophthalmic herpes zoster
- Ophthalmic migraine
- Ophthalmic scan
- Ophthalmic vascular thrombosis
- Ophthalmic vein thrombosis
- Ophthalmological examination
- Ophthalmological examination abnormal
-
- Ophthalmological examination normal
- Ophthalmoplegia
- Ophthalmoplegic migraine
- Opiates
- Opiates negative
- Opiates positive
- Opisthotonus
- Opitz trigonocephaly syndrome
- Opportunistic infection
- Oppositional defiant disorder
- Opsoclonus myoclonus
- Optic atrophy
- Optic disc disorder
- Optic disc drusen
- Optic disc haemorrhage
- Optic disc hyperaemia
- Optic disc pit
- Optic discs blurred
- Optic glioma
- Optic ischaemic neuropathy
- Optic nerve compression
- Optic nerve cup/disc ratio
- Optic nerve cup/disc ratio increased
- Optic nerve cup/disc ratio normal
- Optic nerve cupping
- Optic nerve disorder
- Optic nerve hypoplasia
- Optic nerve infarction
- Optic nerve injury
- Optic nerve neoplasm
- Optic nerve operation
- Optic nerve sheath haemorrhage
- Optic neuritis
- Optic neuritis retrobulbar
- Optic neuropathy
- Optic perineuritis
- Optical coherence tomography
- Optical coherence tomography abnormal
-
- Optical coherence tomography normal
- Opticokinetic nystagmus tests
- Opticokinetic nystagmus tests abnormal
-
- Opticokinetic nystagmus tests normal
- Optometric therapy
- Oral administration complication
- Oral allergy syndrome
- Oral bacterial infection
- Oral blood blister
- Oral candidiasis
- Oral cavity examination
- Oral cavity fistula
- Oral contraception
- Oral contusion
- Oral discharge
- Oral discomfort
- Oral disorder
- Oral dysaesthesia
- Oral dysplasia
- Oral fibroma
- Oral fungal infection
- Oral haemangioma
- Oral herpes
- Oral herpes zoster
- Oral hyperaesthesia
- Oral infection
- Oral intake reduced
- Oral lichen planus
- Oral lichenoid reaction
- Oral mucosa erosion
- Oral mucosa haematoma
- Oral mucosal blistering
- Oral mucosal discolouration
- Oral mucosal eruption
- Oral mucosal erythema
- Oral mucosal exfoliation
- Oral mucosal hypertrophy
- Oral mucosal petechiae
- Oral mucosal roughening
- Oral mucosal scab
- Oral mucosal scar
- Oral neoplasm
- Oral pain
- Oral papilloma
- Oral papule
- Oral pigmentation
- Oral pruritus
- Oral purpura
- Oral pustule
- Oral soft tissue biopsy
- Oral soft tissue disorder
- Oral surgery
- Oral viral infection
- Orbital apex syndrome
- Orbital cyst
- Orbital decompression
- Orbital haematoma
- Orbital haemorrhage
- Orbital infection
- Orbital myositis
- Orbital oedema
- Orbital space occupying lesion
- Orbital swelling
- Orchidectomy
- Orchidopexy
- Orchitis
- Orchitis mumps
- Orchitis noninfective
- Organ donor
- Organ failure
- Organ transplant
- Organic acid analysis
- Organic acid analysis abnormal
- Organic brain syndrome
- Organic erectile dysfunction
- Organising pneumonia
- Orgasm abnormal
- Orgasmic sensation decreased
- Ornithine transcarbamoylase deficiency
-
- Oromandibular dystonia
- Oropharyngeal blistering
- Oropharyngeal cancer
- Oropharyngeal candidiasis
- Oropharyngeal cobble stone mucosa
- Oropharyngeal discolouration
- Oropharyngeal discomfort
- Oropharyngeal gonococcal infection
- Oropharyngeal neoplasm
- Oropharyngeal oedema
- Oropharyngeal pain
- Oropharyngeal plaque
- Oropharyngeal scar
- Oropharyngeal spasm
- Oropharyngeal squamous cell carcinoma
-
- Oropharyngeal stenosis
- Oropharyngeal suctioning
- Oropharyngeal surgery
- Oropharyngeal swelling
- Orthodontic appliance user
- Orthodontic procedure
- Orthognathic surgery
- Orthokeratology
- Orthopaedic examination
- Orthopaedic examination abnormal
- Orthopaedic examination normal
- Orthopaedic procedure
- Orthopedic examination
- Orthopedic examination abnormal
- Orthopedic examination normal
- Orthopedic procedure
- Orthopnoea
- Orthopox virus infection
- Orthopoxvirus test positive
- Orthosis user
- Orthostatic heart rate response
- increased
- Orthostatic heart rate test
- Orthostatic hypertension
- Orthostatic hypotension
- Orthostatic intolerance
- Orthostatic tremor
- Oscillopsia
- Osler's nodes
- Osmophobia
- Osmotic demyelination syndrome
- Osteitis
- Osteitis condensans
- Osteitis deformans
- Osteo-meningeal breaches
- Osteoarthritis
- Osteoarthropathy
- Osteochondral fracture
- Osteochondritis
- Osteochondrodysplasia
- Osteochondroma
- Osteochondrosis
- Osteogenesis imperfecta
- Osteolysis
- Osteoma
- Osteomalacia
- Osteomyelitis
- Osteomyelitis acute
- Osteomyelitis bacterial
- Osteomyelitis chronic
- Osteomyelitis salmonella
- Osteonecrosis
- Osteonecrosis of jaw
- Osteopathic treatment
- Osteopenia
- Osteopetrosis
- Osteophyte fracture
- Osteoporosis
- Osteoporosis postmenopausal
- Osteoporotic fracture
- Osteosarcoma
- Osteosclerosis
- Osteotomy
- Ostomy bag placement
- Otic examination
- Otic examination abnormal
- Otic examination normal
- Otitis externa
- Otitis externa bacterial
- Otitis externa fungal
- Otitis media
- Otitis media acute
- Otitis media bacterial
- Otitis media chronic
- Otoacoustic emissions test
- Otoacoustic emissions test abnormal
- Otoendoscopy
- Otolithiasis
- Otoplasty
- Otorhinolaryngological surgery
- Otorrhoea
- Otosalpingitis
- Otosclerosis
- Otoscopy
- Otoscopy abnormal
- Otoscopy normal
- Ototoxicity
- Out of specification product use
- Ovarian abscess
- Ovarian adenoma
- Ovarian atrophy
- Ovarian bacterial infection
- Ovarian calcification
- Ovarian cancer
- Ovarian cancer metastatic
- Ovarian cancer recurrent
- Ovarian cancer stage I
- Ovarian cancer stage II
- Ovarian cancer stage III
- Ovarian cancer stage IV
- Ovarian clear cell carcinoma
- Ovarian cyst
- Ovarian cyst ruptured
- Ovarian cyst torsion
- Ovarian cystectomy
- Ovarian disorder
- Ovarian dysgerminoma stage unspecified
-
- Ovarian dysplasia
- Ovarian enlargement
- Ovarian epithelial cancer
- Ovarian failure
- Ovarian fibroma
- Ovarian fibrosis
- Ovarian germ cell cancer
- Ovarian germ cell teratoma
- Ovarian germ cell teratoma benign
- Ovarian germ cell tumour
- Ovarian granulosa cell tumour
- Ovarian haematoma
- Ovarian haemorrhage
- Ovarian hyperfunction
- Ovarian hyperstimulation syndrome
- Ovarian infection
- Ovarian injury
- Ovarian mass
- Ovarian necrosis
- Ovarian neoplasm
- Ovarian operation
- Ovarian prolapse
- Ovarian repair
- Ovarian rupture
- Ovarian torsion
- Ovarian vein thrombosis
- Ovariocentesis
- Overdose
- Overfeeding of infant
- Overflow diarrhoea
- Overgrowth bacterial
- Overgrowth fungal
- Overlap syndrome
- Oversensing
- Overweight
- Overwork
- Ovulation delayed
- Ovulation disorder
- Ovulation induction
- Ovulation pain
- Oxidative stress
- Oxygen consumption
- Oxygen consumption decreased
- Oxygen consumption increased
- Oxygen saturation
- Oxygen saturation abnormal
- Oxygen saturation decreased
- Oxygen saturation immeasurable
- Oxygen saturation increased
- Oxygen saturation normal
- Oxygen supplementation
- Oxygen therapy
- Oxygenation index
- Ozone therapy
- PCO2
- PCO2 abnormal
- PCO2 decreased
- PCO2 increased
- PCO2 normal
- PFAPA syndrome
- PIK3CA related overgrowth spectrum
- PO2
- PO2 abnormal
- PO2 decreased
- PO2 increased
- PO2 normal
- POEMS syndrome
- PTEN gene mutation
- PUVA
- PaO2/FiO2 ratio
- PaO2/FiO2 ratio decreased
- Pacemaker generated arrhythmia
- Pacemaker generated rhythm
- Pacemaker syndrome
- Pachymeningitis
- Pachyonychia congenita
- Packed red blood cell transfusion
- Paediatric acute-onset
- neuropsychiatric syndrome
-
- Paediatric autoimmune neuropsychiatric disorders associated with streptococcal infection
-
- Paget's disease of nipple
- Paget's disease of the vulva
- Paget-Schroetter syndrome
- Pain
- Pain assessment
- Pain in extremity
- Pain in jaw
- Pain management
- Pain of skin
- Pain prophylaxis
- Pain threshold decreased
- Painful defaecation
- Painful ejaculation
- Painful erection
- Painful respiration
- Palatal disorder
- Palatal oedema
- Palatal palsy
- Palatal swelling
- Palatal ulcer
- Palate injury
- Palindromic rheumatism
- Palisaded neutrophilic
- granulomatous dermatitis
- Pallanaesthesia
- Palliative care
- Pallor
- Palmar erythema
- Palmar fasciitis
- Palmar-plantar erythrodysaesthesia
- syndrome
- Palmomental reflex
- Palmoplantar keratoderma
- Palmoplantar pustulosis
- Palpable purpura
- Palpatory finding abnormal
- Palpitations
- Pancoast's syndrome
- Pancreas divisum
- Pancreas infection
- Pancreas islet cell transplant
- Pancreas lipomatosis
- Pancreas transplant rejection
- Pancreatectomy
- Pancreatic abscess
- Pancreatic atrophy
- Pancreatic calcification
- Pancreatic carcinoma
- Pancreatic carcinoma metastatic
- Pancreatic carcinoma recurrent
- Pancreatic carcinoma stage IV
- Pancreatic cyst
- Pancreatic cyst drainage
- Pancreatic cystadenoma
- Pancreatic disorder
- Pancreatic duct dilatation
- Pancreatic duct obstruction
- Pancreatic duct stenosis
- Pancreatic enlargement
- Pancreatic enzyme abnormality
- Pancreatic enzymes
- Pancreatic enzymes abnormal
- Pancreatic enzymes decreased
- Pancreatic enzymes increased
- Pancreatic enzymes normal
- Pancreatic failure
- Pancreatic infarction
- Pancreatic injury
- Pancreatic insufficiency
- Pancreatic islets hyperplasia
- Pancreatic lesion excision
- Pancreatic mass
- Pancreatic neoplasm
- Pancreatic neuroendocrine tumour
- metastatic
- Pancreatic operation
- Pancreatic pseudocyst
- Pancreatic pseudocyst drainage
- Pancreatic pseudocyst rupture
- Pancreatic steatosis
- Pancreatic stent placement
- Pancreaticoduodenectomy
- Pancreaticogastrostomy
- Pancreatitis
- Pancreatitis acute
- Pancreatitis chronic
- Pancreatitis haemorrhagic
- Pancreatitis mumps
- Pancreatitis necrotising
- Pancreatitis relapsing
- Pancreatitis viral
- Pancreatobiliary sphincterotomy
- Pancreatogenous diabetes
- Pancreatography
- Pancytopenia
- Panel-reactive antibody
- Panencephalitis
- Panendoscopy
- Panic attack
- Panic disorder
- Panic reaction
- Panniculitis
- Panniculitis lobular
- Panophthalmitis
- Pantoea agglomerans test positive
- Papilla of Vater sclerosis
- Papillary cystadenoma lymphomatosum
- Papillary muscle haemorrhage
- Papillary muscle rupture
- Papillary renal cell carcinoma
- Papillary thyroid cancer
- Papillitis
- Papilloedema
- Papilloma
- Papilloma conjunctival
- Papilloma excision
- Papilloma viral infection
- Papillophlebitis
- Papule
- Papulopustular rosacea
- Paracentesis
- Paracentesis abdomen abnormal
- Paracentesis ear
- Paracentesis ear abnormal
- Paracentesis eye
- Paracentesis eye abnormal
- Paracentesis eye normal
- Paradoxical drug reaction
- Paradoxical embolism
- Paradoxical pressor response
- Paradoxical psoriasis
- Paraesthesia
- Paraesthesia ear
- Paraesthesia mucosal
- Paraesthesia oral
- Paraganglion neoplasm
- Paragonimiasis
- Parainfluenzae viral
- laryngotracheobronchitis
- Parainfluenzae virus infection
- Parakeratosis
- Paralogism
- Paralysis
- Paralysis flaccid
- Paralysis recurrent laryngeal nerve
- Paralytic disability
- Paralytic lagophthalmos
- Paramnesia
- Paranasal biopsy normal
- Paranasal cyst
- Paranasal sinus abscess
- Paranasal sinus and nasal
- cavity malignant neoplasm
- Paranasal sinus discomfort
- Paranasal sinus haemorrhage
- Paranasal sinus hypersecretion
- Paranasal sinus hyposecretion
- Paranasal sinus inflammation
- Paranasal sinus mass
- Paranasal sinus mucosal hypertrophy
- Paraneoplastic arthritis
- Paraneoplastic dermatomyositis
- Paraneoplastic encephalomyelitis
- Paraneoplastic myelopathy
- Paraneoplastic neurological syndrome
- Paraneoplastic syndrome
- Paraneoplastic thrombosis
- Paranoia
- Paranoid personality disorder
- Paraparesis
- Parapharyngeal space infection
- Paraplegia
- Paraproteinaemia
- Parapsoriasis
- Parasite DNA test
- Parasite blood test
- Parasite blood test positive
- Parasite stool test
- Parasite stool test negative
- Parasite stool test positive
- Parasite tissue specimen test negative
-
- Parasite urine test negative
- Parasitic blood test negative
- Parasitic gastroenteritis
- Parasitic test
- Parasitic test positive
- Parasomnia
- Parasystole
- Parathyroid disorder
- Parathyroid gland enlargement
- Parathyroid hormone-related protein
- Parathyroid hormone-related protein
- increased
- Parathyroid scan abnormal
- Parathyroid scan normal
- Parathyroid tumour
- Parathyroid tumour benign
- Parathyroidectomy
- Paratracheal lymphadenopathy
- Paratyphoid fever
- Paravalvular regurgitation
- Parechovirus infection
- Parent-child problem
- Parental consanguinity
- Parenteral nutrition
- Paresis
- Paresis anal sphincter
- Paresis cranial nerve
- Parietal cell antibody
- Parietal cell antibody normal
- Parietal cell antibody positive
- Parinaud syndrome
- Parity
- Parkinson's disease
- Parkinson's disease psychosis
- Parkinsonian crisis
- Parkinsonian gait
- Parkinsonian rest tremor
- Parkinsonism
- Paronychia
- Parophthalmia
- Parosmia
- Parotid abscess
- Parotid duct obstruction
- Parotid gland enlargement
- Parotid gland inflammation
- Parotidectomy
- Parotitis
- Paroxysmal arrhythmia
- Paroxysmal atrioventricular block
- Paroxysmal autonomic instability
- with dystonia
- Paroxysmal choreoathetosis
- Paroxysmal extreme pain disorder
- Paroxysmal nocturnal haemoglobinuria
- Paroxysmal sympathetic hyperactivity
- Partial lung resection
- Partial seizures
- Partial seizures with secondary
- generalisation
- Partner stress
- Paruresis
- Parvovirus B19 infection
- Parvovirus B19 infection reactivation
-
- Parvovirus B19 serology
- Parvovirus B19 serology negative
- Parvovirus B19 serology positive
- Parvovirus B19 test
- Parvovirus B19 test negative
- Parvovirus B19 test positive
- Parvovirus infection
- Passive smoking
- Past-pointing
- Pasteurella test positive
- Patella fracture
- Patellofemoral pain syndrome
- Patent ductus arteriosus
- Patent ductus arteriosus repair
- Paternal exposure before pregnancy
- Paternal exposure during pregnancy
- Pathergy reaction
- Pathogen resistance
- Pathological doubt
- Pathological fracture
- Pathology test
- Patient dissatisfaction with device
- Patient dissatisfaction with treatment
-
- Patient elopement
- Patient isolation
- Patient restraint
- Patient uncooperative
- Patient-device incompatibility
- Peak expiratory flow rate
- Peak expiratory flow rate abnormal
- Peak expiratory flow rate decreased
- Peak expiratory flow rate increased
- Peak expiratory flow rate normal
- Peak nasal inspiratory flow test
- Peau d'orange
- Pectus excavatum
- Pedal pulse abnormal
- Pedal pulse decreased
- Pedantic speech
- Peliosis hepatis
- Pelvi-ureteric obstruction
- Pelvic abscess
- Pelvic adhesions
- Pelvic bone injury
- Pelvic congestion
- Pelvic cyst
- Pelvic discomfort
- Pelvic exenteration
- Pelvic exploration
- Pelvic floor dysfunction
- Pelvic floor muscle weakness
- Pelvic fluid collection
- Pelvic fluid collection drainage
- Pelvic fracture
- Pelvic girdle pain
- Pelvic haematoma
- Pelvic haemorrhage
- Pelvic infection
- Pelvic inflammatory disease
- Pelvic mass
- Pelvic misalignment
- Pelvic neoplasm
- Pelvic operation
- Pelvic organ injury
- Pelvic organ prolapse
- Pelvic pain
- Pelvic pouch procedure
- Pelvic prolapse
- Pelvic venous thrombosis
- Pemphigoid
- Pemphigoid antibody panel
- Pemphigus
- Penetrating aortic ulcer
- Penetrating atherosclerotic ulcer
- Penile abscess
- Penile artery occlusion
- Penile blister
- Penile burning sensation
- Penile contusion
- Penile curvature
- Penile dermatitis
- Penile discharge
- Penile discomfort
- Penile erythema
- Penile exfoliation
- Penile haematoma
- Penile haemorrhage
- Penile oedema
- Penile operation
- Penile pain
- Penile pigmentation
- Penile plaque
- Penile rash
- Penile size reduced
- Penile swelling
- Penile ulceration
- Penile vascular disorder
- Penile vein thrombosis
- Penile wart
- Penis disorder
- Penis injury
- Penoscrotal fusion
- Peptic ulcer
- Peptic ulcer haemorrhage
- Peptostreptococcus infection
- Percussion test
- Percutaneous coronary intervention
- Perforated ulcer
- Perforation
- Perforation bile duct
- Performance fear
- Performance status decreased
- Perfume sensitivity
- Perfusion brain scan
- Perfusion brain scan abnormal
- Perfusion brain scan normal
- Peri-implantitis
- Peri-spinal heterotopic ossification
- Perianal abscess
- Perianal erythema
- Periarthritis
- Periarthritis calcarea
- Periarticular disorder
- Pericardial calcification
- Pericardial cyst
- Pericardial disease
- Pericardial drainage
- Pericardial drainage test
- Pericardial drainage test abnormal
- Pericardial drainage test normal
- Pericardial effusion
- Pericardial excision
- Pericardial fibrosis
- Pericardial haemorrhage
- Pericardial lipoma
- Pericardial mass
- Pericardial mesothelioma malignant
- Pericardial operation
- Pericardial repair
- Pericardial rub
- Pericardiotomy
- Pericarditis
- Pericarditis adhesive
- Pericarditis constrictive
- Pericarditis gonococcal
- Pericarditis infective
- Pericarditis lupus
- Pericarditis meningococcal
- Pericarditis rheumatic
- Pericarditis tuberculous
- Pericarditis uraemic
- Perichondritis
- Pericoronitis
- Perihepatic discomfort
- Perihepatitis
- Perinatal HBV infection
- Perinatal brain damage
- Perinatal depression
- Perinatal stroke
- Perineal abscess
- Perineal cellulitis
- Perineal cyst
- Perineal disorder
- Perineal erythema
- Perineal injury
- Perineal laceration
- Perineal operation
- Perineal pain
- Perineal rash
- Perineal ulceration
- Perinephric abscess
- Perinephric collection
- Perinephric effusion
- Perinephric oedema
- Perinephritis
- Perineurial cyst
- Periodic acid Schiff stain
- Periodic limb movement disorder
- Periodontal disease
- Periodontic-endodontic disease
- Periodontitis
- Perioral dermatitis
- Periorbital abscess
- Periorbital cellulitis
- Periorbital contusion
- Periorbital dermatitis
- Periorbital discomfort
- Periorbital disorder
- Periorbital fat herniation
- Periorbital haematoma
- Periorbital haemorrhage
- Periorbital infection
- Periorbital inflammation
- Periorbital irritation
- Periorbital oedema
- Periorbital pain
- Periorbital swelling
- Periostitis
- Peripancreatic fluid collection
- Peripancreatic varices
- Peripartum cardiomyopathy
- Peripartum haemorrhage
- Peripheral T-cell lymphoma unspecified
-
- Peripheral arterial occlusive disease
-
- Peripheral arteriogram
- Peripheral artery aneurysm
- Peripheral artery aneurysm rupture
- Peripheral artery angioplasty
- Peripheral artery bypass
- Peripheral artery dissection
- Peripheral artery haematoma
- Peripheral artery occlusion
- Peripheral artery restenosis
- Peripheral artery stenosis
- Peripheral artery stent insertion
- Peripheral artery surgery
- Peripheral artery thrombosis
- Peripheral circulatory failure
- Peripheral coldness
- Peripheral embolism
- Peripheral endarterectomy
- Peripheral ischaemia
- Peripheral motor neuropathy
- Peripheral nerve decompression
- Peripheral nerve destruction
- Peripheral nerve infection
- Peripheral nerve injury
- Peripheral nerve lesion
- Peripheral nerve neurostimulation
- Peripheral nerve operation
- Peripheral nerve palsy
- Peripheral nerve paresis
- Peripheral nerve transposition
- Peripheral nerve ultrasound
- Peripheral nervous system function test
-
- Peripheral nervous system
- function test abnormal
- Peripheral nervous system function
- test normal
- Peripheral paralysis
- Peripheral pulse decreased
- Peripheral revascularisation
- Peripheral sensorimotor neuropathy
- Peripheral sensory neuropathy
- Peripheral spondyloarthritis
- Peripheral swelling
- Peripheral vascular disorder
- Peripheral vein occlusion
- Peripheral vein stenosis
- Peripheral vein thrombosis
- Peripheral vein thrombus extension
- Peripheral venous disease
- Periphlebitis
- Periportal oedema
- Periprosthetic fracture
- Periprosthetic osteolysis
- Perirectal abscess
- Peristalsis visible
- Peritoneal abscess
- Peritoneal adhesions
- Peritoneal cancer index
- Peritoneal candidiasis
- Peritoneal catheter insertion
- Peritoneal dialysis
- Peritoneal dialysis complication
- Peritoneal disorder
- Peritoneal fibrosis
- Peritoneal fluid analysis
- Peritoneal fluid analysis abnormal
- Peritoneal gliomatosis
- Peritoneal haematoma
- Peritoneal haemorrhage
- Peritoneal lavage
- Peritoneal lesion
- Peritoneal mesothelial hyperplasia
- Peritoneal neoplasm
- Peritoneal perforation
- Peritoneal tuberculosis
- Peritonitis
- Peritonitis bacterial
- Peritonitis pneumococcal
- Peritonsillar abscess
- Peritonsillitis
- Peritumoural oedema
- Periumbilical abscess
- Perivascular dermatitis
- Periventricular leukomalacia
- Periventricular nodular heterotopia
- Pernicious anaemia
- Pernio-like erythema
- Peroneal muscular atrophy
- Peroneal nerve injury
- Peroneal nerve palsy
- Persecutory delusion
- Perseveration
- Persistent complex bereavement disorder
-
- Persistent corneal epithelial defect
- Persistent depressive disorder
- Persistent foetal circulation
- Persistent generalised lymphadenopathy
-
- Persistent genital arousal disorder
- Persistent left superior vena cava
- Persistent postural-perceptual dizziness
-
- Persistent pupillary membrane
- Personal relationship issue
- Personality change
- Personality change due to a
- general medical condition
- Personality disorder
- Personality disorder of childhood
- Perthes disease
- Pertussis
- Pertussis identification test
- Pertussis identification test negative
-
- Pertussis identification test positive
-
- Petechiae
- Petit mal epilepsy
- Petroleum distillate poisoning
- Peyronie's disease
- Pfeiffer syndrome
- Phaeochromocytoma
- Phaeochromocytoma crisis
- Phagocytosis
- Phalangeal hypoplasia
- Phalen's test positive
- Phantom limb syndrome
- Phantom pain
- Phantom shocks
- Phantom vibration syndrome
- Pharmaceutical product complaint
- Pharyngeal abscess
- Pharyngeal contusion
- Pharyngeal cyst
- Pharyngeal disorder
- Pharyngeal dyskinesia
- Pharyngeal enanthema
- Pharyngeal erosion
- Pharyngeal erythema
- Pharyngeal exudate
- Pharyngeal haematoma
- Pharyngeal haemorrhage
- Pharyngeal hypertrophy
- Pharyngeal hypoaesthesia
- Pharyngeal inflammation
- Pharyngeal injury
- Pharyngeal lesion
- Pharyngeal leukoplakia
- Pharyngeal mass
- Pharyngeal neoplasm
- Pharyngeal oedema
- Pharyngeal operation
- Pharyngeal paraesthesia
- Pharyngeal pustule
- Pharyngeal stenosis
- Pharyngeal swelling
- Pharyngeal ulceration
- Pharyngitis
- Pharyngitis bacterial
- Pharyngitis streptococcal
- Pharyngo-oesophageal diverticulum
- Pharyngolaryngeal abscess
- Pharyngolaryngeal pain
- Pharyngoscopy
- Pharyngotonsillitis
- Phelan-McDermid syndrome
- Phenylalanine screen
- Phenylalanine screen positive
- Phenylketonuria
- Philadelphia chromosome negative
- Philadelphia chromosome positive
- Philadelphia positive acute
- lymphocytic leukaemia
- Phimosis
- Phlebectomy
- Phlebitis
- Phlebitis deep
- Phlebitis infective
- Phlebitis superficial
- Phlebolith
- Phlebotomy
- Phobia
- Phobia of driving
- Phobia of flying
- Phobic postural vertigo
- Phonophobia
- Phosphenes
- Phospholipase A2 activity increased
- Phospholipidosis
- Photodermatosis
- Photokeratitis
- Photopheresis
- Photophobia
- Photopsia
- Photorefractive keratectomy
- Photosensitivity reaction
- Phototherapy
- Phrenic nerve injury
- Phrenic nerve paralysis
- Phyllodes tumour
- Physical abuse
- Physical assault
- Physical breast examination
- Physical breast examination abnormal
- Physical breast examination normal
- Physical capacity evaluation
- Physical deconditioning
- Physical disability
- Physical examination
- Physical examination abnormal
- Physical examination normal
- Physical examination of joints
- Physical examination of joints abnormal
-
- Physical fitness training
- Physical product label issue
- Physical thyroid examination
- Physical thyroid examination abnormal
-
- Physiotherapy
- Physiotherapy chest
- Phytotherapy
- Pica
- Pickwickian syndrome
- Picornavirus infection
- Pierre Robin syndrome
- Pigmentary glaucoma
- Pigmentation disorder
- Pigmentation lip
- Piloerection
- Pilomatrix carcinoma
- Pilonidal cyst
- Pilonidal cyst congenital
- Pilonidal disease
- Pineal gland cyst
- Pinguecula
- Pingueculitis
- Pinta
- Piriformis syndrome
- Pitting oedema
- Pituitary apoplexy
- Pituitary cancer metastatic
- Pituitary cyst
- Pituitary enlargement
- Pituitary gland operation
- Pituitary haemorrhage
- Pituitary hyperplasia
- Pituitary hypoplasia
- Pituitary scan
- Pituitary scan abnormal
- Pituitary tumour
- Pituitary tumour benign
- Pituitary-dependent Cushing's syndrome
-
- Pityriasis
- Pityriasis alba
- Pityriasis lichenoides et
- varioliformis acuta
- Pityriasis rosea
- Pityriasis rubra pilaris
- Placenta accreta
- Placenta growth factor
- Placenta praevia
- Placenta praevia haemorrhage
- Placental calcification
- Placental cyst
- Placental disorder
- Placental infarction
- Placental insufficiency
- Placental necrosis
- Placental transfusion syndrome
- Plagiocephaly
- Plague
- Planning to become pregnant
- Plantar erythema
- Plantar fascial fibromatosis
- Plantar fasciitis
- Plaque shift
- Plasma cell count
- Plasma cell disorder
- Plasma cell leukaemia
- Plasma cell mastitis
- Plasma cell myeloma
- Plasma cell myeloma recurrent
- Plasma cell myeloma refractory
- Plasma cells decreased
- Plasma cells increased
- Plasma cells present
- Plasma protein metabolism disorder
- Plasma viscosity
- Plasma viscosity abnormal
- Plasma viscosity normal
- Plasmablast count
- Plasmablastic lymphoma
- Plasmacytoma
- Plasmacytosis
- Plasmapheresis
- Plasmin inhibitor
- Plasminogen
- Plasminogen activator inhibitor
- Plasminogen activator inhibitor
- increased
- Plasminogen activator inhibitor
- polymorphism
- Plasminogen activator inhibitor
- type 1 deficiency
- Plasminogen decreased
- Plasminogen increased
- Plasminogen normal
- Plasmodium falciparum infection
- Plasmodium vivax infection
- Plastic surgery
- Plastic surgery to the face
- Platelet adhesiveness
- Platelet aggregation
- Platelet aggregation abnormal
- Platelet aggregation decreased
- Platelet aggregation increased
- Platelet aggregation normal
- Platelet aggregation test
- Platelet anisocytosis
- Platelet count
- Platelet count abnormal
- Platelet count decreased
- Platelet count increased
- Platelet count normal
- Platelet destruction increased
- Platelet disorder
- Platelet distribution width
- Platelet distribution width decreased
-
- Platelet distribution width increased
-
- Platelet dysfunction
- Platelet factor 4
- Platelet factor 4 decreased
- Platelet factor 4 increased
- Platelet function test
- Platelet function test abnormal
- Platelet function test normal
- Platelet maturation arrest
- Platelet morphology
- Platelet morphology abnormal
- Platelet morphology normal
- Platelet production decreased
- Platelet rich plasma therapy
- Platelet storage pool deficiency
- Platelet transfusion
- Platelet-derived growth factor
- receptor assay
- Platelet-derived growth
- factor receptor gene mutation
- Platelet-large cell ratio
- Platelet-large cell ratio increased
- Plateletcrit
- Plateletcrit abnormal
- Plateletcrit decreased
- Plateletcrit increased
- Plateletpheresis
- Platypnoea
- Pleocytosis
- Pleomorphic adenoma
- Pleomorphic malignant fibrous
- histiocytoma
- Plethoric face
- Plethysmography
- Pleural adhesion
- Pleural calcification
- Pleural decortication
- Pleural disorder
- Pleural effusion
- Pleural fibrosis
- Pleural fluid analysis
- Pleural fluid analysis abnormal
- Pleural fluid analysis normal
- Pleural infection
- Pleural mass
- Pleural mesothelioma
- Pleural neoplasm
- Pleural rub
- Pleural thickening
- Pleurectomy
- Pleurisy
- Pleurisy bacterial
- Pleurisy viral
- Pleuritic pain
- Pleurocutaneous fistula
- Pleurodesis
- Pleuropericarditis
- Pleuroscopy
- Plicated tongue
- Pneumatic compression therapy
- Pneumatosis
- Pneumatosis intestinalis
- Pneumobilia
- Pneumocephalus
- Pneumococcal bacteraemia
- Pneumococcal immunisation
- Pneumococcal infection
- Pneumococcal sepsis
- Pneumoconiosis
- Pneumocystis jiroveci infection
- Pneumocystis jiroveci pneumonia
- Pneumocystis jirovecii infection
- Pneumocystis jirovecii pneumonia
- Pneumocystis test
- Pneumocystis test negative
- Pneumocystis test positive
- Pneumomediastinum
- Pneumonectomy
- Pneumonia
- Pneumonia acinetobacter
- Pneumonia adenoviral
- Pneumonia aspiration
- Pneumonia bacterial
- Pneumonia chlamydial
- Pneumonia cryptococcal
- Pneumonia cytomegaloviral
- Pneumonia escherichia
- Pneumonia fungal
- Pneumonia haemophilus
- Pneumonia herpes viral
- Pneumonia influenzal
- Pneumonia klebsiella
- Pneumonia legionella
- Pneumonia measles
- Pneumonia moraxella
- Pneumonia mycoplasmal
- Pneumonia necrotising
- Pneumonia parainfluenzae viral
- Pneumonia pneumococcal
- Pneumonia primary atypical
- Pneumonia proteus
- Pneumonia pseudomonal
- Pneumonia respiratory syncytial viral
-
- Pneumonia serratia
- Pneumonia staphylococcal
- Pneumonia streptococcal
- Pneumonia viral
- Pneumonic plague
- Pneumonitis
- Pneumonitis aspiration
- Pneumonitis chemical
- Pneumonolysis
- Pneumopericardium
- Pneumoperitoneum
- Pneumothorax
- Pneumothorax spontaneous
- Pneumothorax spontaneous tension
- Pneumothorax traumatic
- Pneumovirus test positive
- Pocket erosion
- Podiatric examination
- Poikilocytosis
- Poikiloderma
- Poisoning
- Poisoning deliberate
- Poliomyelitis
- Poliomyelitis post vaccine
- Poliovirus serology
- Poliovirus test
- Poliovirus test negative
- Poliovirus test positive
- Pollakiuria
- Polyarteritis nodosa
- Polyarthritis
- Polychondritis
- Polychromasia
- Polychromic red blood cells present
- Polycystic liver disease
- Polycystic ovarian syndrome
- Polycystic ovaries
- Polycythaemia
- Polycythaemia neonatorum
- Polycythaemia vera
- Polydactyly
- Polydipsia
- Polyglandular autoimmune syndrome type I
-
- Polyglandular autoimmune syndrome type
- II
- Polyglandular disorder
- Polyhydramnios
- Polymenorrhagia
- Polymenorrhoea
- Polymerase chain reaction
- Polymerase chain reaction negative
- Polymerase chain reaction positive
- Polymers allergy
- Polymicrogyria
- Polymorphic eruption of pregnancy
- Polymorphic light eruption
- Polymyalgia rheumatica
- Polymyositis
- Polyneuropathy
- Polyneuropathy alcoholic
- Polyneuropathy chronic
- Polyneuropathy idiopathic progressive
-
- Polyneuropathy in malignant disease
- Polyomavirus test
- Polyomavirus test negative
- Polyomavirus viraemia
- Polyomavirus-associated nephropathy
- Polyp
- Polyp colorectal
- Polypectomy
- Polypoidal choroidal vasculopathy
- Polyserositis
- Polyuria
- Poor dental condition
- Poor feeding infant
- Poor milk ejection reflex
- Poor peripheral circulation
- Poor personal hygiene
- Poor quality device used
- Poor quality drug administered
- Poor quality product administered
- Poor quality sleep
- Poor sucking reflex
- Poor venous access
- Poor weight gain neonatal
- Popliteal artery entrapment syndrome
- Popliteal pulse decreased
- Popliteal pulse increased
- Porencephaly
- Poriomania
- Porokeratosis
- Porphyria
- Porphyria acute
- Porphyria non-acute
- Porphyria screen
- Porphyrins urine
- Porphyrins urine increased
- Porphyrins urine normal
- Porphyrinuria
- Portal fibrosis
- Portal hypertension
- Portal hypertensive colopathy
- Portal hypertensive gastropathy
- Portal shunt procedure
- Portal tract inflammation
- Portal vein cavernous transformation
- Portal vein dilatation
- Portal vein embolism
- Portal vein occlusion
- Portal vein phlebitis
- Portal vein thrombosis
- Portal venous gas
- Portoenterostomy
- Portogram
- Portopulmonary hypertension
- Portosplenomesenteric venous thrombosis
-
- Positive Rombergism
- Positive airway pressure therapy
- Positive cardiac inotropic effect
- Positive dose response relationship
- Positive end-expiratory pressure
- Positive expiratory pressure therapy
- Positron emission tomogram
- Positron emission tomogram abnormal
- Positron emission tomogram breast
- Positron emission tomogram breast
- abnormal
- Positron emission tomogram normal
- Positron emission
- tomography-magnetic resonance imaging
- Post abortion haemorrhage
- Post cardiac arrest syndrome
- Post cholecystectomy syndrome
- Post concussion syndrome
- Post herpetic neuralgia
- Post infection glomerulonephritis
- Post inflammatory pigmentation change
-
- Post laminectomy syndrome
- Post lumbar puncture syndrome
- Post micturition dribble
- Post polio syndrome
- Post procedural bile leak
- Post procedural complication
- Post procedural constipation
- Post procedural contusion
- Post procedural diarrhoea
- Post procedural discharge
- Post procedural discomfort
- Post procedural drainage
- Post procedural erythema
- Post procedural fever
- Post procedural fistula
- Post procedural haematoma
- Post procedural haematuria
- Post procedural haemorrhage
- Post procedural hypotension
- Post procedural hypothyroidism
- Post procedural infection
- Post procedural myocardial infarction
-
- Post procedural oedema
- Post procedural pneumonia
- Post procedural pulmonary embolism
- Post procedural sepsis
- Post procedural stroke
- Post procedural swelling
- Post procedural urine leak
- Post streptococcal glomerulonephritis
-
- Post stroke depression
- Post stroke epilepsy
- Post stroke seizure
- Post thrombotic syndrome
- Post transplant lymphoproliferative
- disorder
- Post treatment Lyme disease syndrome
- Post vaccination autoinoculation
- Post vaccination challenge strain
- shedding
- Post vaccination syndrome
- Post viral fatigue syndrome
- Post-acute COVID-19 syndrome
- Post-anaphylaxis mast cell anergy
- Post-anoxic myoclonus
- Post-thoracotomy pain syndrome
- Post-traumatic amnestic disorder
- Post-traumatic epilepsy
- Post-traumatic headache
- Post-traumatic neck syndrome
- Post-traumatic neuralgia
- Post-traumatic pain
- Post-traumatic stress disorder
- Post-tussive vomiting
- Posterior capsule opacification
- Posterior capsule rupture
- Posterior cortical atrophy
- Posterior fossa decompression
- Posterior fossa syndrome
- Posterior interosseous syndrome
- Posterior reversible encephalopathy
- syndrome
- Posterior tibial nerve injury
- Posterior tibial tendon dysfunction
- Posthaemorrhagic hydrocephalus
- Postictal headache
- Postictal paralysis
- Postictal psychosis
- Postictal state
- Postinfarction angina
- Postmature baby
- Postmenopausal haemorrhage
- Postmenopause
- Postmortem blood drug level
- Postmortem blood drug level increased
-
- Postnasal drip
- Postoperative abscess
- Postoperative adhesion
- Postoperative care
- Postoperative delirium
- Postoperative fever
- Postoperative ileus
- Postoperative renal failure
- Postoperative respiratory failure
- Postoperative thoracic procedure
- complication
- Postoperative thrombosis
- Postoperative wound complication
- Postoperative wound infection
- Postpartum anxiety
- Postpartum depression
- Postpartum disorder
- Postpartum haemorrhage
- Postpartum state
- Postpartum stress disorder
- Postpartum thrombosis
- Postpartum venous thrombosis
- Postprandial hypoglycaemia
- Postrenal failure
- Postresuscitation encephalopathy
- Postsplenectomy syndrome
- Postural orthostatic tachycardia
- syndrome
- Postural tremor
- Posture abnormal
- Posturing
- Posturography
- Potassium chloride sensitivity test
- Potassium chloride sensitivity test
- abnormal
- Potassium hydroxide preparation
- Potassium hydroxide preparation negative
-
- Potassium hydroxide preparation positive
-
- Potentiating drug interaction
- Potter's syndrome
- Pouchitis
- Poverty of speech
- Poverty of thought content
- Prader-Willi syndrome
- Pre-eclampsia
- Pre-existing condition improved
- Pre-existing disease
- Prealbumin
- Prealbumin decreased
- Prealbumin increased
- Preauricular cyst
- Precancerous cells present
- Precancerous condition
- Precancerous lesion of digestive tract
-
- Precancerous mucosal lesion
- Precancerous skin lesion
- Precerebral artery dissection
- Precerebral artery occlusion
- Precerebral artery thrombosis
- Precipitate labour
- Precocious puberty
- Precursor B-lymphoblastic lymphoma
- Precursor T-lymphoblastic
- lymphoma/leukaemia
- Precursor T-lymphoblastic
- lymphoma/leukaemia stage II
- Pregnancy
- Pregnancy after post coital
- contraception
- Pregnancy induced hypertension
- Pregnancy of unknown location
- Pregnancy on contraceptive
- Pregnancy on oral contraceptive
- Pregnancy test
- Pregnancy test false positive
- Pregnancy test negative
- Pregnancy test positive
- Pregnancy test urine
- Pregnancy test urine negative
- Pregnancy test urine positive
- Pregnancy with advanced maternal age
- Pregnancy with contraceptive device
- Pregnancy with implant contraceptive
- Pregnancy with injectable contraceptive
-
- Pregnancy with young maternal age
- Prehypertension
- Preictal state
- Premature ageing
- Premature baby
- Premature baby death
- Premature delivery
- Premature ejaculation
- Premature labour
- Premature menarche
- Premature menopause
- Premature ovulation
- Premature rupture of membranes
- Premature separation of placenta
- Premedication
- Premenstrual dysphoric disorder
- Premenstrual headache
- Premenstrual pain
- Premenstrual syndrome
- Prenatal care
- Prenatal screening test
- Prenatal screening test abnormal
- Preoperative care
- Prepuce dorsal slit
- Prerenal failure
- Presbyacusis
- Presbyastasis
- Presbyoesophagus
- Presbyopia
- Prescribed overdose
- Prescribed underdose
- Prescription drug used without a
- prescription
- Pressure of speech
- Presyncope
- Preterm premature rupture of membranes
-
- Prevertebral soft tissue
- swelling of cervical space
- Priapism
- Primary adrenal insufficiency
- Primary amyloidosis
- Primary biliary cholangitis
- Primary coenzyme Q10 deficiency
- Primary cough headache
- Primary familial brain calcification
- Primary gastrointestinal follicular
- lymphoma
- Primary headache associated with
- sexual activity
- Primary hyperaldosteronism
- Primary hyperthyroidism
- Primary hypothyroidism
- Primary immunodeficiency syndrome
- Primary mediastinal large B-cell
- lymphoma
- Primary myelofibrosis
- Primary progressive multiple sclerosis
-
- Primary transmission
- Primigravida
- Primiparous
- Primitive reflex test
- Prinzmetal angina
- Prion disease
- Probiotic therapy
- Procalcitonin
- Procalcitonin abnormal
- Procalcitonin decreased
- Procalcitonin increased
- Procalcitonin normal
- Procedural anxiety
- Procedural complication
- Procedural dizziness
- Procedural failure
- Procedural haemorrhage
- Procedural headache
- Procedural hypotension
- Procedural intestinal perforation
- Procedural nausea
- Procedural pain
- Procedural pneumothorax
- Procedural shock
- Procedural site reaction
- Procedural vomiting
- Procedure aborted
- Procoagulant therapy
- Procrastination
- Proctalgia
- Proctectomy
- Proctitis
- Proctitis chlamydial
- Proctitis gonococcal
- Proctitis haemorrhagic
- Proctitis ulcerative
- Proctocolectomy
- Proctocolitis
- Proctoscopy
- Proctoscopy abnormal
- Proctoscopy normal
- Proctosigmoidoscopy
- Proctosigmoidoscopy abnormal
- Proctosigmoidoscopy normal
- Prodromal Alzheimer's disease
- Product administered at inappropriate
- site
- Product administered by wrong person
- Product administered to
- patient of inappropriate age
- Product administration error
- Product administration interrupted
- Product after taste
- Product appearance confusion
- Product availability issue
- Product barcode issue
- Product blister packaging issue
- Product closure issue
- Product closure removal difficult
- Product colour issue
- Product commingling
- Product communication issue
- Product complaint
- Product confusion
- Product container issue
- Product container seal issue
- Product contamination
- Product contamination chemical
- Product contamination microbial
- Product contamination physical
- Product contamination with body fluid
-
- Product delivery mechanism issue
- Product deposit
- Product design confusion
- Product design issue
- Product dispensing error
- Product dispensing issue
- Product distribution issue
- Product dosage form confusion
- Product dose confusion
- Product dose omission
- Product dose omission in error
- Product dose omission issue
- Product expiration date issue
- Product formulation issue
- Product identification number issue
- Product impurity
- Product intolerance
- Product label confusion
- Product label issue
- Product label on wrong product
- Product leakage
- Product lot number issue
- Product measured potency issue
- Product monitoring error
- Product name confusion
- Product odour abnormal
- Product origin unknown
- Product package associated injury
- Product packaging confusion
- Product packaging difficult to open
- Product packaging issue
- Product packaging quantity issue
- Product physical consistency issue
- Product physical issue
- Product preparation error
- Product preparation issue
- Product prescribing error
- Product prescribing issue
- Product primary packaging issue
- Product quality control issue
- Product quality issue
- Product reconstitution issue
- Product reconstitution quality issue
- Product residue present
- Product selection error
- Product sterility issue
- Product sterility lacking
- Product storage error
- Product substitution
- Product substitution error
- Product substitution issue
- Product supply issue
- Product tampering
- Product taste abnormal
- Product temperature excursion issue
- Product use complaint
- Product use in unapproved indication
- Product use issue
- Product used for unknown indication
- Productive cough
- Proerythroblast count
- Profound mental retardation
- Progesterone
- Progesterone abnormal
- Progesterone decreased
- Progesterone increased
- Progesterone normal
- Progesterone receptor assay
- Progesterone receptor assay negative
- Progesterone receptor assay positive
- Progestin therapy
- Progressive bulbar palsy
- Progressive facial hemiatrophy
- Progressive familial intrahepatic
- cholestasis
- Progressive macular hypomelanosis
- Progressive multifocal
- leukoencephalopathy
- Progressive multiple sclerosis
- Progressive relapsing multiple sclerosis
-
- Progressive supranuclear palsy
- Prohormone brain natriuretic peptide
- Prohormone brain natriuretic peptide
- abnormal
- Prohormone brain natriuretic
- peptide decreased
- Prohormone brain natriuretic
- peptide increased
- Prolactin-producing pituitary tumour
- Prolapse
- Prolonged expiration
- Prolonged labour
- Prolonged pregnancy
- Prolonged rupture of membranes
- Prolymphocytic leukaemia
- Promotion of peripheral circulation
- Promyelocyte count
- Promyelocyte count increased
- Pronator teres syndrome
- Prone position
- Prophylaxis
- Prophylaxis against HIV infection
- Prophylaxis against Rh isoimmunisation
-
- Prophylaxis of nausea and vomiting
- Prophylaxis of neural tube defect
- Propionibacterium infection
- Propionibacterium test positive
- Propofol infusion syndrome
- Prosopagnosia
- Prostate cancer
- Prostate cancer metastatic
- Prostate cancer recurrent
- Prostate cancer stage IV
- Prostate examination
- Prostate examination abnormal
- Prostate examination normal
- Prostate infection
- Prostate tenderness
- Prostate volume study
- Prostatectomy
- Prostatic abscess
- Prostatic acid phosphatase
- Prostatic acid phosphatase abnormal
- Prostatic adenoma
- Prostatic calcification
- Prostatic cyst
- Prostatic disorder
- Prostatic dysplasia
- Prostatic haemorrhage
- Prostatic obstruction
- Prostatic operation
- Prostatic pain
- Prostatic specific antigen
- Prostatic specific antigen abnormal
- Prostatic specific antigen decreased
- Prostatic specific antigen increased
- Prostatic specific antigen normal
- Prostatitis
- Prostatomegaly
- Prosthesis user
- Prosthetic cardiac valve malfunction
- Prosthetic cardiac valve regurgitation
-
- Prosthetic cardiac valve stenosis
- Prosthetic cardiac valve thrombosis
- Prosthetic vessel implantation
- Prostration
- Protein C
- Protein C decreased
- Protein C deficiency
- Protein C increased
- Protein S
- Protein S abnormal
- Protein S decreased
- Protein S deficiency
- Protein S increased
- Protein S normal
- Protein albumin ratio
- Protein albumin ratio abnormal
- Protein albumin ratio increased
- Protein albumin ratio normal
- Protein bound iodine increased
- Protein deficiency
- Protein induced by vitamin K
- absence or antagonist II
- Protein intolerance
- Protein total
- Protein total abnormal
- Protein total decreased
- Protein total increased
- Protein total normal
- Protein urine
- Protein urine absent
- Protein urine present
- Protein-losing gastroenteropathy
- Proteinuria
- Proteus infection
- Proteus test positive
- Prothrombin consumption time prolonged
-
- Prothrombin fragment 1.2
- Prothrombin index
- Prothrombin level
- Prothrombin level abnormal
- Prothrombin level decreased
- Prothrombin level increased
- Prothrombin level normal
- Prothrombin time
- Prothrombin time abnormal
- Prothrombin time normal
- Prothrombin time prolonged
- Prothrombin time ratio
- Prothrombin time ratio abnormal
- Prothrombin time ratio decreased
- Prothrombin time ratio increased
- Prothrombin time shortened
- Proton radiation therapy
- Protrusion tongue
- Provisional tic disorder
- Prurigo
- Pruritus
- Pruritus allergic
- Pruritus ani
- Pruritus generalised
- Pruritus genital
- Pseudarthrosis
- Pseudo lymphoma
- Pseudo-Bartter syndrome
- Pseudoachalasia
- Pseudoallergic reaction
- Pseudoangina
- Pseudobulbar palsy
- Pseudocellulitis
- Pseudocroup
- Pseudocyst
- Pseudodementia
- Pseudodiverticular disease
- Pseudofolliculitis
- Pseudofolliculitis barbae
- Pseudogynaecomastia
- Pseudohallucination
- Pseudohernia
- Pseudohyponatraemia
- Pseudohypoparathyroidism
- Pseudolymphoma
- Pseudomembranous colitis
- Pseudomonal bacteraemia
- Pseudomonal sepsis
- Pseudomonas infection
- Pseudomonas test
- Pseudomonas test positive
- Pseudomononucleosis
- Pseudomyopia
- Pseudopapilloedema
- Pseudoparalysis
- Pseudophakic bullous keratopathy
- Pseudopolyp
- Pseudoporphyria
- Pseudoradicular syndrome
- Pseudostroke
- Pseudothrombophlebitis
- Psittacosis
- Psoas abscess
- Psoriasis
- Psoriasis area severity index
- Psoriasis area severity index decreased
-
- Psoriasis area severity index increased
-
- Psoriatic arthropathy
- Psychiatric decompensation
- Psychiatric evaluation
- Psychiatric evaluation abnormal
- Psychiatric evaluation normal
- Psychiatric investigation
- Psychiatric symptom
- Psychogenic movement disorder
- Psychogenic pain disorder
- Psychogenic pseudosyncope
- Psychogenic respiratory distress
- Psychogenic seizure
- Psychogenic tremor
- Psychogenic visual disorder
- Psychological factor affecting
- medical condition
- Psychological trauma
- Psychomotor disadaptation syndrome
- Psychomotor hyperactivity
- Psychomotor retardation
- Psychomotor seizures
- Psychomotor skills impaired
- Psychopathic personality
- Psychosomatic disease
- Psychotherapy
- Psychotic behaviour
- Psychotic disorder
- Psychotic disorder due to a
- general medical condition
- Psychotic symptom
- Psychotic symptom rating scale
- Ptosis repair
- Puberty
- Pubic pain
- Pubis fracture
- Pudendal canal syndrome
- Pudendal nerve terminal motor
- latency test normal
- Puerperal pyrexia
- Pulmonary air leakage
- Pulmonary alveolar haemorrhage
- Pulmonary amyloidosis
- Pulmonary arterial hypertension
- Pulmonary arterial pressure
- Pulmonary arterial pressure abnormal
- Pulmonary arterial pressure increased
-
- Pulmonary arterial pressure normal
- Pulmonary arterial wedge pressure
- Pulmonary arterial wedge pressure
- decreased
- Pulmonary arterial wedge pressure
- increased
- Pulmonary arteriopathy
- Pulmonary arteriovenous fistula
- Pulmonary artery aneurysm
- Pulmonary artery atresia
- Pulmonary artery compression
- Pulmonary artery dilatation
- Pulmonary artery occlusion
- Pulmonary artery stenosis
- Pulmonary artery stenosis congenital
- Pulmonary artery thrombosis
- Pulmonary artery wall hypertrophy
- Pulmonary blastomycosis
- Pulmonary calcification
- Pulmonary cavitation
- Pulmonary congestion
- Pulmonary contusion
- Pulmonary embolism
- Pulmonary endarterectomy
- Pulmonary eosinophilia
- Pulmonary fibrosis
- Pulmonary function challenge test
- Pulmonary function challenge test
- abnormal
- Pulmonary function challenge test normal
-
- Pulmonary function test
- Pulmonary function test abnormal
- Pulmonary function test decreased
- Pulmonary function test normal
- Pulmonary granuloma
- Pulmonary haematoma
- Pulmonary haemorrhage
- Pulmonary haemosiderosis
- Pulmonary hilar enlargement
- Pulmonary hilum mass
- Pulmonary histoplasmosis
- Pulmonary hypertension
- Pulmonary hypertensive crisis
- Pulmonary hypoperfusion
- Pulmonary hypoplasia
- Pulmonary imaging procedure
- Pulmonary imaging procedure abnormal
- Pulmonary imaging procedure normal
- Pulmonary infarction
- Pulmonary interstitial emphysema
- syndrome
- Pulmonary malformation
- Pulmonary mass
- Pulmonary microemboli
- Pulmonary necrosis
- Pulmonary nodular lymphoid hyperplasia
-
- Pulmonary oedema
- Pulmonary ossification
- Pulmonary pain
- Pulmonary physical examination
- Pulmonary physical examination abnormal
-
- Pulmonary physical examination normal
-
- Pulmonary pneumatocele
- Pulmonary renal syndrome
- Pulmonary resection
- Pulmonary sarcoidosis
- Pulmonary sensitisation
- Pulmonary sepsis
- Pulmonary septal thickening
- Pulmonary sequestration
- Pulmonary thrombosis
- Pulmonary toxicity
- Pulmonary tuberculoma
- Pulmonary tuberculosis
- Pulmonary valve disease
- Pulmonary valve incompetence
- Pulmonary valve replacement
- Pulmonary valve stenosis
- Pulmonary valve stenosis congenital
- Pulmonary valve thickening
- Pulmonary vascular disorder
- Pulmonary vascular resistance
- abnormality
- Pulmonary vasculitis
- Pulmonary vein occlusion
- Pulmonary veno-occlusive disease
- Pulmonary venous hypertension
- Pulmonary venous thrombosis
- Pulpitis dental
- Pulpless tooth
- Pulse abnormal
- Pulse absent
- Pulse pressure abnormal
- Pulse pressure decreased
- Pulse pressure increased
- Pulse pressure normal
- Pulse volume decreased
- Pulse wave velocity
- Pulse waveform
- Pulse waveform abnormal
- Pulse waveform normal
- Pulseless electrical activity
- Punctal plug insertion
- Punctate basophilia
- Punctate keratitis
- Puncture site bruise
- Puncture site discharge
- Puncture site erythema
- Puncture site haematoma
- Puncture site haemorrhage
- Puncture site induration
- Puncture site infection
- Puncture site inflammation
- Puncture site oedema
- Puncture site pain
- Puncture site pruritus
- Puncture site reaction
- Puncture site swelling
- Pupil dilation procedure
- Pupil fixed
- Pupillary deformity
- Pupillary disorder
- Pupillary light reflex tests
- Pupillary light reflex tests abnormal
-
- Pupillary light reflex tests normal
- Pupillary reflex impaired
- Pupillotonia
- Pupils unequal
- Purging
- Purines normal
- Purple glove syndrome
- Purpura
- Purpura fulminans
- Purpura non-thrombocytopenic
- Purpura senile
- Purtscher retinopathy
- Purulence
- Purulent discharge
- Purulent pericarditis
- Pus in stool
- Pustular psoriasis
- Pustule
- Putamen haemorrhage
- Pyelitis
- Pyelocaliectasis
- Pyelogram retrograde abnormal
- Pyelonephritis
- Pyelonephritis acute
- Pyelonephritis chronic
- Pyelonephritis fungal
- Pyeloplasty
- Pyloric stenosis
- Pyloromyotomy
- Pylorospasm
- Pyoderma
- Pyoderma gangrenosum
- Pyoderma streptococcal
- Pyogenic granuloma
- Pyogenic sterile
- arthritis pyoderma gangrenosum and acne syndrome
- Pyometra
- Pyomyositis
- Pyonephrosis
- Pyothorax
- Pyramidal tract syndrome
- Pyrexia
- Pyroglutamic acidosis
- Pyruvate dehydrogenase complex
- deficiency
- Pyruvate kinase
- Pyruvate kinase increased
- Pyuria
- Q fever
- QRS axis
- QRS axis abnormal
- QRS axis normal
- Quadrantanopia
- Quadriparesis
- Quadriplegia
- Quality of life decreased
- Quantitative sensory testing
- Quantitative sudomotor axon reflex test
-
- Quarantine
- RUNX1 gene mutation
- Rabies
- Radial head dislocation
- Radial nerve compression
- Radial nerve injury
- Radial nerve palsy
- Radial pulse
- Radial pulse abnormal
- Radial pulse decreased
- Radial pulse increased
- Radiation associated pain
- Radiation dysphagia
- Radiation exposure during pregnancy
- Radiation injury
- Radiation mastitis
- Radiation neuropathy
- Radiation oesophagitis
- Radiation pneumonitis
- Radiation proctitis
- Radiation sickness syndrome
- Radiation skin injury
- Radical cystectomy
- Radical hysterectomy
- Radical neck dissection
- Radical prostatectomy
- Radicular pain
- Radicular syndrome
- Radiculitis
- Radiculitis brachial
- Radiculitis cervical
- Radiculitis lumbosacral
- Radiculopathy
- Radiculotomy
- Radioactive iodine therapy
- Radioallergosorbent test
- Radioallergosorbent test negative
- Radioallergosorbent test positive
- Radiochemotherapy
- Radioembolisation
- Radioimmunotherapy
- Radioisotope scan
- Radioisotope scan abnormal
- Radioisotope scan normal
- Radioisotope uptake increased
- Radiologic pelvimetry
- Radiologically isolated syndrome
- Radiotherapy
- Radiotherapy to brain
- Radiotherapy to breast
- Radiotherapy to ear
- Radiotherapy to lymph nodes
- Radiotherapy to pharynx
- Radius fracture
- Rales
- Ranula
- Rapid alternating movement test abnormal
-
- Rapid eye movement sleep behaviour
- disorder
- Rapid eye movements sleep abnormal
- Rash
- Rash erythematous
- Rash follicular
- Rash generalised
- Rash macular
- Rash maculo-papular
- Rash maculovesicular
- Rash morbilliform
- Rash neonatal
- Rash papular
- Rash papulosquamous
- Rash pruritic
- Rash pustular
- Rash rubelliform
- Rash scarlatiniform
- Rash vesicular
- Rasmussen encephalitis
- Rathke's cleft cyst
- Raynaud's phenomenon
- Reaction to azo-dyes
- Reaction to colouring
- Reaction to drug excipients
- Reaction to excipient
- Reaction to food additive
- Reaction to preservatives
- Reaction to previous exposure to any
- vaccine
- Reactive airways dysfunction syndrome
-
- Reactive angioendotheliomatosis
- Reactive attachment
- disorder of infancy or early childhood
- Reactive gastropathy
- Reactive perforating collagenosis
- Reactogenicity event
- Reading disorder
- Rebound eczema
- Rebound effect
- Rebound psoriasis
- Rebound tachycardia
- Recall phenomenon
- Recalled product
- Recalled product administered
- Rectal abscess
- Rectal adenocarcinoma
- Rectal cancer
- Rectal cancer metastatic
- Rectal cancer stage IV
- Rectal discharge
- Rectal examination
- Rectal examination abnormal
- Rectal examination normal
- Rectal fissure
- Rectal haemorrhage
- Rectal injury
- Rectal lesion
- Rectal lesion excision
- Rectal neoplasm
- Rectal obstruction
- Rectal polyp
- Rectal polypectomy
- Rectal prolapse
- Rectal prolapse repair
- Rectal spasm
- Rectal tenesmus
- Rectal tube insertion
- Rectal ulcer
- Rectal ulcer haemorrhage
- Rectal ultrasound
- Rectal ultrasound normal
- Rectocele
- Rectosigmoid cancer
- Rectourethral fistula
- Recurrent cancer
- Recurrent subareolar breast abscess
- Recurring skin boils
- Red blood cell Heinz bodies present
- Red blood cell abnormality
- Red blood cell acanthocytes present
- Red blood cell agglutination
- Red blood cell agglutination present
- Red blood cell analysis
- Red blood cell analysis abnormal
- Red blood cell analysis normal
- Red blood cell anisocytes
- Red blood cell anisocytes present
- Red blood cell burr cells present
- Red blood cell count
- Red blood cell count abnormal
- Red blood cell count decreased
- Red blood cell count increased
- Red blood cell count normal
- Red blood cell elliptocytes present
- Red blood cell enzymes abnormal
- Red blood cell hyperchromic morphology
-
- Red blood cell hyperchromic
- morphology present
- Red blood cell hypochromic
- morphology present
- Red blood cell macrocytes
- Red blood cell macrocytes present
- Red blood cell microcytes
- Red blood cell microcytes absent
- Red blood cell microcytes present
- Red blood cell morphology
- Red blood cell morphology abnormal
- Red blood cell morphology normal
- Red blood cell nucleated morphology
- Red blood cell nucleated morphology
- present
- Red blood cell poikilocytes
- Red blood cell poikilocytes present
- Red blood cell rouleaux formation
- present
- Red blood cell scan
- Red blood cell schistocytes
- Red blood cell schistocytes present
- Red blood cell sedimentation rate
- Red blood cell sedimentation rate
- abnormal
- Red blood cell sedimentation rate
- decreased
- Red blood cell sedimentation rate
- increased
- Red blood cell sedimentation rate normal
-
- Red blood cell spherocytes
- Red blood cell spherocytes present
- Red blood cell transfusion
- Red blood cell vacuolisation
- Red blood cells CSF positive
- Red blood cells urine
- Red blood cells urine negative
- Red blood cells urine positive
- Red breast syndrome
- Red cell distribution width
- Red cell distribution width abnormal
- Red cell distribution width decreased
-
- Red cell distribution width increased
-
- Red cell distribution width normal
- Red ear syndrome
- Red light therapy
- Red man syndrome
- Reduced bladder capacity
- Reduced facial expression
- Reduction of increased intracranial
- pressure
- Refeeding syndrome
- Reflex test
- Reflex test abnormal
- Reflex test normal
- Reflexes abnormal
- Reflexology
- Reflux gastritis
- Reflux laryngitis
- Reflux oesophagitis
- Refraction disorder
- Refractory anaemia with an excess of
- blasts
- Refractory cancer
- Refractory cytopenia with
- unilineage dysplasia
- Refusal of examination
- Refusal of treatment by patient
- Refusal of treatment by relative
- Refusal of vaccination
- Regenerative siderotic hepatic nodule
-
- Regressive behaviour
- Regurgitation
- Rehabilitation therapy
- Reiter's syndrome
- Relapsing fever
- Relapsing multiple sclerosis
- Relapsing-remitting multiple sclerosis
-
- Removal of external fixation
- Removal of foreign body
- Removal of foreign body from nose
- Removal of foreign body from oesophagus
-
- Removal of foreign body from rectum
- Renal abscess
- Renal amyloidosis
- Renal aneurysm
- Renal aplasia
- Renal arteriosclerosis
- Renal arteritis
- Renal artery arteriosclerosis
- Renal artery dissection
- Renal artery embolisation
- Renal artery occlusion
- Renal artery restenosis
- Renal artery stenosis
- Renal artery stent placement
- Renal artery stent removal
- Renal artery thrombosis
- Renal atrophy
- Renal cancer
- Renal cancer metastatic
- Renal cancer recurrent
- Renal cancer stage I
- Renal cell carcinoma
- Renal colic
- Renal cortical necrosis
- Renal cyst
- Renal cyst haemorrhage
- Renal cyst ruptured
- Renal disorder
- Renal dysplasia
- Renal embolism
- Renal exploration
- Renal failure
- Renal failure acute
- Renal failure chronic
- Renal failure neonatal
- Renal function test
- Renal function test abnormal
- Renal function test normal
- Renal fusion anomaly
- Renal graft infection
- Renal haematoma
- Renal haemorrhage
- Renal hamartoma
- Renal hydrocele
- Renal hypertension
- Renal hypertrophy
- Renal hypoplasia
- Renal impairment
- Renal infarct
- Renal injury
- Renal interstitial fibrosis
- Renal ischaemia
- Renal lithiasis prophylaxis
- Renal mass
- Renal necrosis
- Renal neoplasm
- Renal pain
- Renal replacement therapy
- Renal salt-wasting syndrome
- Renal scan
- Renal scan abnormal
- Renal scan normal
- Renal stone removal
- Renal surgery
- Renal transplant
- Renal transplant failure
- Renal tubular acidosis
- Renal tubular atrophy
- Renal tubular disorder
- Renal tubular injury
- Renal tubular necrosis
- Renal tumour excision
- Renal vascular thrombosis
- Renal vasculitis
- Renal vein compression
- Renal vein embolism
- Renal vein occlusion
- Renal vein thrombosis
- Renal-limited thrombotic microangiopathy
-
- Renin
- Renin abnormal
- Renin decreased
- Renin increased
- Renin normal
- Renin-angiotensin system inhibition
- Renovascular hypertension
- Reocclusion
- Reperfusion arrhythmia
- Reperfusion injury
- Repetitive speech
- Repetitive strain injury
- Reproductive hormone
- Reproductive tract disorder
- Residual urine
- Residual urine volume
- Residual urine volume increased
- Resorption bone increased
- Respiration abnormal
- Respiratory acidosis
- Respiratory alkalosis
- Respiratory arrest
- Respiratory depression
- Respiratory depth decreased
- Respiratory depth increased
- Respiratory disorder
- Respiratory disorder neonatal
- Respiratory distress
- Respiratory failure
- Respiratory fatigue
- Respiratory fremitus
- Respiratory fume inhalation disorder
- Respiratory gas exchange disorder
- Respiratory moniliasis
- Respiratory muscle weakness
- Respiratory papilloma
- Respiratory paralysis
- Respiratory pathogen panel
- Respiratory rate
- Respiratory rate decreased
- Respiratory rate increased
- Respiratory sinus arrhythmia magnitude
-
- Respiratory sinus arrhythmia
- magnitude abnormal
- Respiratory symptom
- Respiratory syncytial virus
- bronchiolitis
- Respiratory syncytial virus bronchitis
-
- Respiratory syncytial virus infection
-
- Respiratory syncytial virus serology
- Respiratory syncytial virus serology
- negative
- Respiratory syncytial virus serology
- positive
- Respiratory syncytial virus test
- Respiratory syncytial virus test
- negative
- Respiratory syncytial virus test
- positive
- Respiratory therapy
- Respiratory tract chlamydial infection
-
- Respiratory tract congestion
- Respiratory tract haemorrhage
- Respiratory tract infection
- Respiratory tract infection bacterial
-
- Respiratory tract infection viral
- Respiratory tract inflammation
- Respiratory tract irritation
- Respiratory tract malformation
- Respiratory tract oedema
- Respiratory viral panel
- Respirovirus test
- Respirovirus test positive
- Respite care
- Rest regimen
- Resting tremor
- Restless arm syndrome
- Restless legs syndrome
- Restlessness
- Restrictive cardiomyopathy
- Restrictive pulmonary disease
- Resuscitation
- Retained placenta operation
- Retained placenta or membranes
- Retained products of conception
- Retching
- Retention cyst
- Reticular cell count
- Reticulocyte count
- Reticulocyte count abnormal
- Reticulocyte count decreased
- Reticulocyte count increased
- Reticulocyte count normal
- Reticulocyte haemoglobin equivalent
- Reticulocyte percentage
- Reticulocyte percentage decreased
- Reticulocyte percentage increased
- Reticulocyte percentage normal
- Reticulocytopenia
- Reticulocytosis
- Reticuloendothelial system stimulated
-
- Retinal aneurysm
- Retinal aneurysm rupture
- Retinal artery embolism
- Retinal artery occlusion
- Retinal artery spasm
- Retinal artery stenosis
- Retinal artery thrombosis
- Retinal cryoablation
- Retinal cyst
- Retinal degeneration
- Retinal depigmentation
- Retinal deposits
- Retinal detachment
- Retinal disorder
- Retinal drusen
- Retinal dystrophy
- Retinal exudates
- Retinal fibrosis
- Retinal fovea disorder
- Retinal function test abnormal
- Retinal function test normal
- Retinal haemorrhage
- Retinal infarction
- Retinal infiltrates
- Retinal injury
- Retinal ischaemia
- Retinal laser coagulation
- Retinal melanocytoma
- Retinal microangiopathy
- Retinal migraine
- Retinal neovascularisation
- Retinal oedema
- Retinal operation
- Retinal pallor
- Retinal perivascular sheathing
- Retinal pigment epitheliopathy
- Retinal pigmentation
- Retinal scar
- Retinal tear
- Retinal thickening
- Retinal toxicity
- Retinal vascular disorder
- Retinal vascular occlusion
- Retinal vascular thrombosis
- Retinal vasculitis
- Retinal vein occlusion
- Retinal vein thrombosis
- Retinal vessel avulsion
- Retinal white dots syndrome
- Retinal white without pressure
- Retinitis
- Retinitis pigmentosa
- Retinitis viral
- Retinogram
- Retinogram abnormal
- Retinogram normal
- Retinol binding protein
- Retinopathy
- Retinopathy hypertensive
- Retinopathy of prematurity
- Retinopathy proliferative
- Retinopexy
- Retinoschisis
- Retinoscopy
- Retinoscopy abnormal
- Retirement
- Retracted nipple
- Retrognathia
- Retrograde amnesia
- Retrograde ejaculation
- Retrograde menstruation
- Retroperitoneal abscess
- Retroperitoneal cancer
- Retroperitoneal disorder
- Retroperitoneal effusion
- Retroperitoneal fibrosis
- Retroperitoneal haematoma
- Retroperitoneal haemorrhage
- Retroperitoneal lymphadenopathy
- Retroperitoneal mass
- Retroperitoneal neoplasm
- Retroperitoneal neoplasm metastatic
- Retroperitoneal oedema
- Retroplacental haematoma
- Retroviral infection
- Revascularisation procedure
- Reversal of opiate activity
- Reverse tri-iodothyronine
- Reverse tri-iodothyronine decreased
- Reversed hot-cold sensation
- Reversible airways obstruction
- Reversible cerebral vasoconstriction
- syndrome
- Reversible ischaemic neurological
- deficit
- Reversible posterior
- leukoencephalopathy syndrome
- Reversible splenial lesion syndrome
- Reye's syndrome
- Reynold's syndrome
- Rhabdoid tumour
- Rhabdomyolysis
- Rhabdomyoma
- Rhabdomyosarcoma
- Rhegmatogenous retinal detachment
- Rhesus antibodies
- Rhesus antibodies negative
- Rhesus antibodies positive
- Rhesus antigen
- Rhesus antigen negative
- Rhesus antigen positive
- Rhesus incompatibility
- Rheumatic disorder
- Rheumatic fever
- Rheumatic heart disease
- Rheumatoid arthritis
- Rheumatoid bursitis
- Rheumatoid factor
- Rheumatoid factor decreased
- Rheumatoid factor increased
- Rheumatoid factor negative
- Rheumatoid factor positive
- Rheumatoid factor quantitative
- Rheumatoid lung
- Rheumatoid nodule
- Rheumatoid vasculitis
- Rheumatological examination
- Rhinalgia
- Rhinitis
- Rhinitis allergic
- Rhinitis perennial
- Rhinolaryngitis
- Rhinomanometry normal
- Rhinophyma
- Rhinoplasty
- Rhinorrhoea
- Rhinoscleroma
- Rhinoscopy
- Rhinotracheitis
- Rhinovirus infection
- Rhonchi
- Rhythm idioventricular
- Rib deformity
- Rib excision
- Rib fracture
- Richter's syndrome
- Rickets
- Rickettsia antibody
- Rickettsiosis
- Rift Valley fever
- Right aortic arch
- Right atrial dilatation
- Right atrial enlargement
- Right atrial hypertrophy
- Right atrial pressure increased
- Right atrial volume abnormal
- Right atrial volume decreased
- Right hemisphere deficit syndrome
- Right ventricle outflow tract
- obstruction
- Right ventricular diastolic collapse
- Right ventricular dilatation
- Right ventricular dysfunction
- Right ventricular ejection fraction
- decreased
- Right ventricular enlargement
- Right ventricular failure
- Right ventricular hypertension
- Right ventricular hypertrophy
- Right ventricular systolic pressure
- Right ventricular systolic pressure
- decreased
- Right ventricular systolic pressure
- increased
- Right-to-left cardiac shunt
- Rinne tuning fork test
- Rinne tuning fork test abnormal
- Rippling muscle disease
- Risk of future pregnancy miscarriage
- Risus sardonicus
- Road traffic accident
- Robotic surgery
- Robust take following exposure to
- vaccinia virus
- Rocky mountain spotted fever
- Romberg test
- Romberg test positive
- Root canal infection
- Rosacea
- Rosai-Dorfman syndrome
- Roseola
- Roseolovirus test
- Roseolovirus test positive
- Rotator cuff injury of hip
- Rotator cuff repair
- Rotator cuff syndrome
- Rotator cuff tear arthropathy
- Rotavirus infection
- Rotavirus test
- Rotavirus test negative
- Rotavirus test positive
- Rouleaux formation
- Routine health maintenance
- Routine immunisation schedule incomplete
-
- Routine immunisation schedule not
- administered
- Roux loop conversion
- Rubber sensitivity
- Rubella
- Rubella antibody negative
- Rubella antibody positive
- Rubella antibody test
- Rubella immunity confirmed
- Rubella in pregnancy
- Rubivirus test positive
- Rubulavirus test
- Rubulavirus test positive
- Ruptured cerebral aneurysm
- Ruptured ectopic pregnancy
- Russell's viper venom time
- Russell's viper venom time abnormal
- Russell's viper venom time normal
- SAPHO syndrome
- SARS-CoV-1 test
- SARS-CoV-1 test negative
- SARS-CoV-1 test positive
- SARS-CoV-2 RNA
- SARS-CoV-2 RNA fluctuation
- SARS-CoV-2 RNA increased
- SARS-CoV-2 RNA undetectable
- SARS-CoV-2 antibody test
- SARS-CoV-2 antibody test negative
- SARS-CoV-2 antibody test positive
- SARS-CoV-2 carrier
- SARS-CoV-2 sepsis
- SARS-CoV-2 test
- SARS-CoV-2 test false negative
- SARS-CoV-2 test false positive
- SARS-CoV-2 test negative
- SARS-CoV-2 test positive
- SARS-CoV-2 viraemia
- SJS-TEN overlap
- SLE arthritis
- SRSF2 gene mutation
- SUNCT syndrome
- Saccadic eye movement
- Sacral pain
- Sacral radiculopathy
- Sacralisation
- Sacroiliac fracture
- Sacroiliac fusion
- Sacroiliac joint dysfunction
- Sacroiliitis
- Saline infusion sonogram
- Saliva alcohol test
- Saliva alcohol test positive
- Saliva altered
- Saliva analysis
- Saliva analysis abnormal
- Saliva analysis normal
- Saliva discolouration
- Salivary duct inflammation
- Salivary duct obstruction
- Salivary duct stenosis
- Salivary gland adenoma
- Salivary gland calculus
- Salivary gland cancer
- Salivary gland cancer stage III
- Salivary gland cyst
- Salivary gland disorder
- Salivary gland enlargement
- Salivary gland induration
- Salivary gland mass
- Salivary gland mucocoele
- Salivary gland neoplasm
- Salivary gland operation
- Salivary gland pain
- Salivary hypersecretion
- Salivary scan
- Salmonella bacteraemia
- Salmonella sepsis
- Salmonella test
- Salmonella test negative
- Salmonella test positive
- Salmonellosis
- Salpingectomy
- Salpingitis
- Salpingo-oophorectomy
- Salpingo-oophorectomy bilateral
- Salpingo-oophorectomy unilateral
- Salpingo-oophoritis
- Salpingogram
- Salpingostomy
- Salt craving
- Salt intoxication
- Sandifer's syndrome
- Sapovirus test positive
- Sarcoid-like reaction
- Sarcoidosis
- Sarcoidosis of lymph node
- Sarcoma
- Sarcoma excision
- Sarcoma metastatic
- Sarcoma of skin
- Sarcoma uterus
- Sarcopenia
- Satoyoshi syndrome
- Scab
- Scalloped tongue
- Scalp haematoma
- Scan
- Scan abdomen abnormal
- Scan abnormal
- Scan adrenal gland
- Scan adrenal gland abnormal
- Scan adrenal gland normal
- Scan bone marrow
- Scan bone marrow abnormal
- Scan bone marrow normal
- Scan brain
- Scan gallium
- Scan gallium abnormal
- Scan gallium normal
- Scan lymph nodes
- Scan myocardial perfusion
- Scan myocardial perfusion abnormal
- Scan myocardial perfusion normal
- Scan normal
- Scan parathyroid
- Scan spleen
- Scan thyroid gland
- Scan with contrast
- Scan with contrast abnormal
- Scan with contrast normal
- Scaphoid abdomen
- Scapula fracture
- Scapular dyskinesis
- Scar
- Scar discomfort
- Scar inflammation
- Scar pain
- Scarlet fever
- Scedosporium infection
- Schamberg's disease
- Schellong test
- Schirmer's test
- Schirmer's test abnormal
- Schistocytosis
- Schistosoma test
- Schistosoma test negative
- Schistosomiasis
- Schizoaffective disorder
- Schizoaffective disorder bipolar type
-
- Schizoid personality disorder
- Schizophrenia
- Schizophreniform disorder
- Schizotypal personality disorder
- School refusal
- Schwannoma
- Sciatic nerve injury
- Sciatic nerve neuropathy
- Sciatic nerve palsy
- Sciatica
- Scimitar syndrome
- Scintigraphy
- Scintillating scotoma
- Scleral buckling surgery
- Scleral cyst
- Scleral discolouration
- Scleral disorder
- Scleral haemorrhage
- Scleral hyperaemia
- Scleral oedema
- Scleral thinning
- Scleritis
- Scleritis allergic
- Sclerodactylia
- Scleroderma
- Scleroderma associated digital ulcer
- Scleroderma renal crisis
- Scleroderma-like reaction
- Scleroedema
- Sclerotherapy
- Sclerotylosis
- Scoliosis
- Scotoma
- Scratch
- Screaming
- Scrotal abscess
- Scrotal angiokeratoma
- Scrotal cancer
- Scrotal cellulitis
- Scrotal cyst
- Scrotal dermatitis
- Scrotal discomfort
- Scrotal disorder
- Scrotal erythema
- Scrotal exfoliation
- Scrotal exploration
- Scrotal haematoma
- Scrotal haemorrhage
- Scrotal infection
- Scrotal inflammation
- Scrotal mass
- Scrotal oedema
- Scrotal pain
- Scrotal swelling
- Scrotal ulcer
- Scrotum erosion
- Scrub typhus
- SeHCAT test
- Seasonal affective disorder
- Seasonal allergy
- Sebaceous cyst excision
- Sebaceous gland disorder
- Sebaceous gland infection
- Sebaceous glands overactivity
- Sebaceous hyperplasia
- Seborrhoea
- Seborrhoeic alopecia
- Seborrhoeic dermatitis
- Seborrhoeic keratosis
- Second primary malignancy
- Second trimester pregnancy
- Secondary adrenocortical insufficiency
-
- Secondary cerebellar degeneration
- Secondary hypertension
- Secondary hyperthyroidism
- Secondary hypogonadism
- Secondary hypothyroidism
- Secondary immunodeficiency
- Secondary progressive multiple sclerosis
-
- Secondary syphilis
- Secondary thrombocytosis
- Secondary transmission
- Secretion discharge
- Sedation
- Sedation complication
- Sedative therapy
- Segmental diverticular colitis
- Segmented hyalinising vasculitis
- Seizure
- Seizure anoxic
- Seizure cluster
- Seizure like phenomena
- Seizure prophylaxis
- Selective IgA immunodeficiency
- Selective IgG subclass deficiency
- Selective IgM immunodeficiency
- Selective abortion
- Selective eating disorder
- Selective mutism
- Selective polysaccharide antibody
- deficiency
- Selenium deficiency
- Self esteem decreased
- Self injurious behaviour
- Self-consciousness
- Self-destructive behaviour
- Self-induced vomiting
- Self-injurious ideation
- Self-medication
- Semen analysis
- Semen analysis abnormal
- Semen discolouration
- Semen liquefaction
- Semen volume decreased
- Seminal vesicular infection
- Seminoma
- Senile dementia
- Senile osteoporosis
- Senile pruritus
- Sensation of blood flow
- Sensation of foreign body
- Sensation of heaviness
- Sensation of pressure
- Sense of a foreshortened future
- Sense of oppression
- Sensitisation
- Sensitive skin
- Sensitivity of teeth
- Sensitivity to weather change
- Sensorimotor disorder
- Sensory disturbance
- Sensory ganglionitis
- Sensory integrative dysfunction
- Sensory level
- Sensory level abnormal
- Sensory level normal
- Sensory loss
- Sensory neuropathy hereditary
- Sensory overload
- Sensory processing disorder
- Sensory processing sensitivity
- Separation anxiety disorder
- Sepsis
- Sepsis neonatal
- Sepsis syndrome
- Septal panniculitis
- Septic arthritis haemophilus
- Septic arthritis staphylococcal
- Septic arthritis streptococcal
- Septic cerebral embolism
- Septic coagulopathy
- Septic embolus
- Septic encephalopathy
- Septic necrosis
- Septic pulmonary embolism
- Septic rash
- Septic screen
- Septic shock
- Septo-optic dysplasia
- Septoplasty
- Septum pellucidum agenesis
- Sequestrectomy
- Seroconversion test
- Seroconversion test negative
- Seroconversion test positive
- Serology abnormal
- Serology negative
- Serology normal
- Serology positive
- Serology test
- Seroma
- Seroma drainage
- Seronegative arthritis
- Serositis
- Serotonin syndrome
- Serous retinal detachment
- Serous retinopathy
- Serpiginous choroiditis
- Serratia bacteraemia
- Serratia infection
- Serratia sepsis
- Serratia test positive
- Serum amyloid A protein
- Serum amyloid A protein increased
- Serum colour abnormal
- Serum ferritin
- Serum ferritin abnormal
- Serum ferritin decreased
- Serum ferritin increased
- Serum ferritin normal
- Serum procollagen type III
- N-terminal propeptide
- Serum serotonin
- Serum serotonin decreased
- Serum serotonin increased
- Serum sickness
- Serum sickness-like reaction
- Severe acute respiratory syndrome
- Severe asthma with fungal sensitisation
-
- Severe cutaneous adverse reaction
- Severe fever with thrombocytopenia
- syndrome
- Severe invasive streptococcal infection
-
- Severe mental retardation
- Severe myoclonic epilepsy of infancy
- Sex hormone binding globulin
- Sex hormone binding globulin increased
-
- Sexual abstinence
- Sexual abuse
- Sexual activity increased
- Sexual dysfunction
- Sexual inhibition
- Sexual transmission of infection
- Sexually active
- Sexually inappropriate behaviour
- Sexually transmitted disease
- Sexually transmitted disease test
- Sezary cell count
- Shared psychotic disorder
- Shift to the left
- Shift to the right
- Shigella infection
- Shigella test positive
- Shock
- Shock haemorrhagic
- Shock hypoglycaemic
- Shock symptom
- Short interpregnancy interval
- Short stature
- Short-bowel syndrome
- Short-chain acyl-coenzyme A
- dehydrogenase deficiency
- Shortened cervix
- Shoshin beriberi
- Shoulder arthroplasty
- Shoulder deformity
- Shoulder dystocia
- Shoulder fracture
- Shoulder girdle pain
- Shoulder injury related to
- vaccine administration
- Shoulder operation
- Shoulder pain
- Shunt blood flow excessive
- Shunt infection
- Shunt malfunction
- Shunt occlusion
- Shunt thrombosis
- Sialoadenitis
- Sialometry
- Sicca syndrome
- Sick building syndrome
- Sick leave
- Sick relative
- Sick sinus syndrome
- Sickle cell anaemia
- Sickle cell anaemia with crisis
- Sickle cell disease
- Sickle cell trait
- Sideroblastic anaemia
- Sight disability
- Sigmoid sinus thrombosis
- Sigmoid-shaped ventricular septum
- Sigmoidectomy
- Sigmoidoscopy
- Sigmoidoscopy abnormal
- Sigmoidoscopy normal
- Silent myocardial infarction
- Silent thyroiditis
- Silicosis
- Similar reaction on previous
- exposure to drug
- Simple partial seizures
- Simplex virus test positive
- Single atrium
- Single component of a
- two-component product administered
- Single functional kidney
- Single photon emission computerised
- tomogram
- Single photon emission
- computerised tomogram abnormal
- Single photon emission
- computerised tomogram normal
- Single umbilical artery
- Sinoatrial block
- Sinobronchitis
- Sinonasal obstruction
- Sinonasal papilloma
- Sinoscopy
- Sinuplasty
- Sinus antrostomy
- Sinus arrest
- Sinus arrhythmia
- Sinus bradycardia
- Sinus congestion
- Sinus disorder
- Sinus headache
- Sinus node dysfunction
- Sinus operation
- Sinus pain
- Sinus polyp
- Sinus rhythm
- Sinus tachycardia
- Sinusitis
- Sinusitis bacterial
- Sinusitis fungal
- Sitophobia
- Sitting disability
- Sjogren's syndrome
- Sjogren-Larsson syndrome
- Skeletal dysplasia
- Skeletal injury
- Skeletal muscle enzymes
- Skeletal survey
- Skeletal survey abnormal
- Skeletal survey normal
- Skin abrasion
- Skin adhesion
- Skin atrophy
- Skin bacterial infection
- Skin burning sensation
- Skin cancer
- Skin candida
- Skin chapped
- Skin cosmetic procedure
- Skin culture
- Skin culture positive
- Skin cyst excision
- Skin degenerative disorder
- Skin depigmentation
- Skin discharge
- Skin discolouration
- Skin discomfort
- Skin disorder
- Skin dystrophy
- Skin erosion
- Skin exfoliation
- Skin fibrosis
- Skin fissures
- Skin fragility
- Skin graft
- Skin graft infection
- Skin haemorrhage
- Skin hyperpigmentation
- Skin hyperplasia
- Skin hypertrophy
- Skin hypopigmentation
- Skin hypoplasia
- Skin implant
- Skin indentation
- Skin induration
- Skin infection
- Skin inflammation
- Skin injury
- Skin irritation
- Skin laceration
- Skin laxity
- Skin lesion
- Skin lesion excision
- Skin lesion inflammation
- Skin lesion removal
- Skin maceration
- Skin malformation
- Skin mass
- Skin necrosis
- Skin neoplasm excision
- Skin nodule
- Skin odour abnormal
- Skin oedema
- Skin operation
- Skin papilloma
- Skin perfusion pressure test
- Skin plaque
- Skin pressure mark
- Skin procedural complication
- Skin reaction
- Skin sensitisation
- Skin squamous cell carcinoma metastatic
-
- Skin striae
- Skin swelling
- Skin temperature
- Skin test
- Skin test negative
- Skin test positive
- Skin texture abnormal
- Skin tightness
- Skin turgor decreased
- Skin ulcer
- Skin ulcer excision
- Skin ulcer haemorrhage
- Skin warm
- Skin weeping
- Skin wound
- Skin wrinkling
- Skull X-ray
- Skull X-ray abnormal
- Skull X-ray normal
- Skull fracture
- Skull fractured base
- Skull malformation
- Sleep apnoea syndrome
- Sleep attacks
- Sleep deficit
- Sleep disorder
- Sleep disorder due to a general
- medical condition
- Sleep disorder
- due to general medical condition, hypersomnia type
- Sleep disorder due
- to general medical condition, insomnia type
- Sleep disorder therapy
- Sleep inertia
- Sleep paralysis
- Sleep phase rhythm disturbance
- Sleep study
- Sleep study abnormal
- Sleep study normal
- Sleep talking
- Sleep terror
- Sleep walking
- Sleep-related eating disorder
- Slipping rib syndrome
- Slit-lamp examination
- Slit-lamp tests abnormal
- Slit-lamp tests normal
- Slow response to stimuli
- Slow speech
- Sluggishness
- Small airways disease
- Small bowel angioedema
- Small cell carcinoma
- Small cell lung cancer
- Small cell lung cancer extensive stage
-
- Small cell lung cancer metastatic
- Small cell lung cancer stage unspecified
-
- Small fibre neuropathy
- Small fontanelle
- Small for dates baby
- Small intestinal anastomosis
- Small intestinal haemorrhage
- Small intestinal intussusception
- reduction
- Small intestinal obstruction
- Small intestinal obstruction reduction
-
- Small intestinal perforation
- Small intestinal resection
- Small intestinal stenosis
- Small intestinal ulcer haemorrhage
- Small intestine adenocarcinoma
- Small intestine carcinoma
- Small intestine gangrene
- Small intestine neuroendocrine tumour
-
- Small intestine operation
- Small intestine polyp
- Small intestine ulcer
- Small size placenta
- Smallpox
- Smear buccal
- Smear buccal abnormal
- Smear buccal normal
- Smear cervix
- Smear cervix abnormal
- Smear cervix normal
- Smear site unspecified abnormal
- Smear site unspecified normal
- Smear test
- Smear vagina
- Smear vaginal abnormal
- Smear vaginal normal
- Smegma accumulation
- Smoke sensitivity
- Smoking cessation therapy
- Smooth muscle antibody
- Smooth muscle antibody negative
- Smooth muscle antibody positive
- Snake bite
- Snapping hip syndrome
- Sneddon's syndrome
- Sneezing
- Snoring
- Social (pragmatic) communication
- disorder
- Social alcohol drinker
- Social anxiety disorder
- Social avoidant behaviour
- Social fear
- Social phobia
- Social problem
- Sodium retention
- Soft tissue atrophy
- Soft tissue disorder
- Soft tissue haemorrhage
- Soft tissue infection
- Soft tissue inflammation
- Soft tissue injury
- Soft tissue mass
- Soft tissue necrosis
- Soft tissue neoplasm
- Soft tissue sarcoma
- Soft tissue swelling
- Solar dermatitis
- Solar lentigo
- Solar urticaria
- Soliloquy
- Solitary fibrous tumour
- Soluble fibrin monomer complex
- Soluble fibrin monomer complex increased
-
- Somatic delusion
- Somatic dysfunction
- Somatic hallucination
- Somatic symptom disorder
- Somatic symptom disorder of pregnancy
-
- Somatisation disorder
- Somatoform disorder
- Somatosensory evoked potentials
- Somatosensory evoked potentials abnormal
-
- Somatostatin receptor scan
- Somatostatin receptor scan abnormal
- Somatotropin stimulation test
- Somnambulism
- Somniphobia
- Somnolence
- Somnolence neonatal
- Sopor
- Spasmodic dysphonia
- Spastic paralysis
- Spastic paraplegia
- Specialist consultation
- Specific gravity body fluid
- Specific gravity body fluid normal
- Specific gravity urine
- Specific gravity urine abnormal
- Specific gravity urine decreased
- Specific gravity urine increased
- Specific gravity urine normal
- Speech disorder
- Speech disorder developmental
- Speech rehabilitation
- Speech sound disorder
- Sperm analysis
- Sperm analysis abnormal
- Sperm concentration
- Sperm concentration abnormal
- Sperm concentration decreased
- Sperm concentration increased
- Sperm count decreased
- Spermatic cord cyst
- Spermatic cord disorder
- Spermatic cord haemorrhage
- Spermatic cord inflammation
- Spermatocele
- Spermatogenesis abnormal
- Spermatorrhoea
- Spermatozoa abnormal
- Sphenoid sinus operation
- Spherocytic anaemia
- Sphincter of Oddi dysfunction
- Sphingomonas paucimobilis infection
- Spider naevus
- Spider vein
- Spina bifida
- Spinal X-ray
- Spinal X-ray abnormal
- Spinal X-ray normal
- Spinal anaesthesia
- Spinal artery embolism
- Spinal artery thrombosis
- Spinal claudication
- Spinal column injury
- Spinal column stenosis
- Spinal compression fracture
- Spinal cord abscess
- Spinal cord compression
- Spinal cord disorder
- Spinal cord drainage
- Spinal cord haematoma
- Spinal cord haemorrhage
- Spinal cord infarction
- Spinal cord infection
- Spinal cord injury
- Spinal cord injury cauda equina
- Spinal cord injury cervical
- Spinal cord injury lumbar
- Spinal cord injury thoracic
- Spinal cord ischaemia
- Spinal cord lipoma
- Spinal cord neoplasm
- Spinal cord oedema
- Spinal cord operation
- Spinal cord paralysis
- Spinal decompression
- Spinal deformity
- Spinal disorder
- Spinal epidural haematoma
- Spinal epidural haemorrhage
- Spinal flattening
- Spinal fracture
- Spinal fusion acquired
- Spinal fusion surgery
- Spinal instability
- Spinal laminectomy
- Spinal ligament ossification
- Spinal manipulation
- Spinal meningeal cyst
- Spinal meningioma benign
- Spinal muscular atrophy
- Spinal myelogram
- Spinal myelogram abnormal
- Spinal myelogram normal
- Spinal nerve stimulator implantation
- Spinal operation
- Spinal osteoarthritis
- Spinal pain
- Spinal retrolisthesis
- Spinal rod insertion
- Spinal segmental dysfunction
- Spinal shock
- Spinal stabilisation
- Spinal stenosis
- Spinal stroke
- Spinal subarachnoid haemorrhage
- Spinal subdural haematoma
- Spinal subdural haemorrhage
- Spinal support
- Spinal synovial cyst
- Spinal vascular disorder
- Spinal vessel congenital anomaly
- Spindle cell sarcoma
- Spine malformation
- Spinocerebellar ataxia
- Spinocerebellar disorder
- Spirochaetal infection
- Spirometry
- Spirometry abnormal
- Spirometry normal
- Spleen atrophy
- Spleen congestion
- Spleen contusion
- Spleen disorder
- Spleen follicular hyperplasia
- Spleen ischaemia
- Spleen palpable
- Spleen scan abnormal
- Spleen scan normal
- Splenectomy
- Splenic abscess
- Splenic artery aneurysm
- Splenic artery embolisation
- Splenic artery thrombosis
- Splenic calcification
- Splenic cyst
- Splenic embolism
- Splenic granuloma
- Splenic haematoma
- Splenic haemorrhage
- Splenic infarction
- Splenic infection
- Splenic injury
- Splenic lesion
- Splenic marginal zone lymphoma
- Splenic necrosis
- Splenic neoplasm malignancy unspecified
-
- Splenic rupture
- Splenic thrombosis
- Splenic varices
- Splenic vein occlusion
- Splenic vein thrombosis
- Splenitis
- Splenomegaly
- Splint application
- Splinter
- Splinter haemorrhages
- Spondylitis
- Spondyloarthropathy
- Spondylolisthesis
- Spondylolysis
- Spontaneous amputation
- Spontaneous bacterial peritonitis
- Spontaneous cerebrospinal fluid leak
- syndrome
- Spontaneous ejaculation
- Spontaneous haematoma
- Spontaneous haemorrhage
- Spontaneous heparin-induced
- thrombocytopenia syndrome
- Spontaneous hyphaema
- Spontaneous intrahepatic
- portosystemic venous shunt
- Spontaneous penile erection
- Spontaneous rupture of membranes
- Sporotrichosis
- Sports injury
- Spotted fever rickettsia test positive
-
- Spur cell anaemia
- Sputum abnormal
- Sputum culture
- Sputum culture positive
- Sputum decreased
- Sputum discoloured
- Sputum increased
- Sputum normal
- Sputum purulent
- Sputum retention
- Sputum test
- Squamous cell carcinoma
- Squamous cell carcinoma antigen
- Squamous cell carcinoma of head and neck
-
- Squamous cell carcinoma of lung
- Squamous cell carcinoma of pharynx
- Squamous cell carcinoma of skin
- Squamous cell carcinoma of the cervix
-
- Squamous cell carcinoma of the oral
- cavity
- Squamous cell carcinoma of the tongue
-
- Stab wound
- Staphylococcal abscess
- Staphylococcal bacteraemia
- Staphylococcal identification test
- positive
- Staphylococcal impetigo
- Staphylococcal infection
- Staphylococcal scalded skin syndrome
- Staphylococcal sepsis
- Staphylococcal skin infection
- Staphylococcal toxaemia
- Staphylococcus test
- Staphylococcus test negative
- Staphylococcus test positive
- Staring
- Starvation
- Starvation ketoacidosis
- Stasis dermatitis
- Stasis syndrome
- Status asthmaticus
- Status epilepticus
- Status migrainosus
- Steal syndrome
- Steatohepatitis
- Steatorrhoea
- Stem cell therapy
- Stem cell transplant
- Stenocephaly
- Stenosis
- Stenotrophomonas infection
- Stenotrophomonas test positive
- Stent malfunction
- Stent placement
- Stent removal
- Stent-graft endoleak
- Stereotactic electroencephalography
- Stereotypy
- Sterile pyuria
- Sterilisation
- Sternal fracture
- Sternal injury
- Sternitis
- Sternotomy
- Steroid activity
- Steroid dependence
- Steroid diabetes
- Steroid therapy
- Stertor
- Stevens-Johnson syndrome
- Sticky skin
- Stiff leg syndrome
- Stiff person syndrome
- Stiff tongue
- Still's disease
- Still's disease adult onset
- Stillbirth
- Stoma care
- Stoma closure
- Stoma complication
- Stoma creation
- Stoma obstruction
- Stoma prolapse
- Stoma site discharge
- Stoma site erythema
- Stoma site extravasation
- Stoma site haemorrhage
- Stoma site hypergranulation
- Stoma site inflammation
- Stoma site irritation
- Stoma site pain
- Stoma site rash
- Stomach discomfort
- Stomach granuloma
- Stomach lesion excision
- Stomach mass
- Stomach scan
- Stomach scan normal
- Stomal hernia
- Stomatitis
- Stomatitis haemorrhagic
- Stomatitis necrotising
- Stomatocytes present
- Stool DNA test
- Stool DNA test positive
- Stool analysis
- Stool analysis abnormal
- Stool analysis normal
- Stool heavy metal positive
- Stool pH increased
- Stool reducing substances test
- Stool trypsin
- Strabismus
- Strangulated hernia
- Strangury
- Strawberry tongue
- Streptobacillary fever
- Streptobacillus infection
- Streptobacillus test positive
- Streptococcal abscess
- Streptococcal bacteraemia
- Streptococcal endocarditis
- Streptococcal identification test
- Streptococcal identification test
- negative
- Streptococcal identification test
- positive
- Streptococcal infection
- Streptococcal sepsis
- Streptococcal serology
- Streptococcal serology negative
- Streptococcal serology positive
- Streptococcal urinary tract infection
-
- Streptococcus test
- Streptococcus test negative
- Streptococcus test positive
- Streptokinase antibody increased
- Stress
- Stress at work
- Stress cardiomyopathy
- Stress echocardiogram
- Stress echocardiogram abnormal
- Stress echocardiogram normal
- Stress fracture
- Stress management
- Stress polycythaemia
- Stress ulcer
- Stress urinary incontinence
- Stridor
- Stroke in evolution
- Stroke volume
- Stroke volume decreased
- Stroke volume normal
- Stroke-like migraine attacks
- after radiation therapy
- Strongyloides test positive
- Strongyloidiasis
- Struck by lightning
- Stump appendicitis
- Stupor
- Subacute combined cord degeneration
- Subacute cutaneous lupus erythematosus
-
- Subacute endocarditis
- Subacute hepatic failure
- Subacute inflammatory
- demyelinating polyneuropathy
- Subacute kidney injury
- Subacute pancreatitis
- Subacute sclerosing panencephalitis
- Subarachnoid haematoma
- Subarachnoid haemorrhage
- Subcapsular hepatic haematoma
- Subcapsular renal haematoma
- Subcapsular splenic haematoma
- Subchondral insufficiency fracture
- Subchorionic haematoma
- Subchorionic haemorrhage
- Subclavian artery aneurysm
- Subclavian artery dissection
- Subclavian artery embolism
- Subclavian artery occlusion
- Subclavian artery stenosis
- Subclavian artery thrombosis
- Subclavian steal syndrome
- Subclavian vein occlusion
- Subclavian vein stenosis
- Subclavian vein thrombosis
- Subcorneal pustular dermatosis
- Subcutaneous abscess
- Subcutaneous biopsy
- Subcutaneous biopsy abnormal
- Subcutaneous drug absorption impaired
-
- Subcutaneous emphysema
- Subcutaneous haematoma
- Subcutaneous nodule
- Subdiaphragmatic abscess
- Subdural abscess
- Subdural effusion
- Subdural empyema
- Subdural haematoma
- Subdural haematoma evacuation
- Subdural haemorrhage
- Subdural hygroma
- Subendocardial ischaemia
- Subependymal nodular heterotopia
- Subgaleal haematoma
- Subgaleal haemorrhage
- Subglottic laryngitis
- Subileus
- Submaxillary gland enlargement
- Subperiosteal abscess
- Subretinal fibrosis
- Subretinal fluid
- Subretinal haematoma
- Subretinal hyperreflective exudation
- Substance abuse
- Substance dependence
- Substance use
- Substance use disorder
- Substance-induced psychotic disorder
- Subvalvular aortic stenosis
- Suck-swallow breathing
- coordination disturbance
- Sucrase-isomaltase deficiency
- Sucrose intolerance
- Sudden cardiac death
- Sudden death
- Sudden hearing loss
- Sudden infant death syndrome
- Sudden onset of sleep
- Sudden visual loss
- Suffocation feeling
- Suggestibility
- Suicidal behaviour
- Suicidal ideation
- Suicide attempt
- Suicide of relative
- Suicide threat
- Sulcus vocalis
- Sulphur dioxide test
- Sunburn
- Sunscreen sensitivity
- Superficial inflammatory dermatosis
- Superficial injury of eye
- Superficial spreading melanoma
- stage unspecified
- Superficial vein prominence
- Superficial vein thrombosis
- Superimposed pre-eclampsia
- Superinfection
- Superinfection bacterial
- Superinfection viral
- Superior mesenteric artery dissection
-
- Superior mesenteric artery syndrome
- Superior sagittal sinus thrombosis
- Superior semicircular canal dehiscence
-
- Superior vena cava occlusion
- Superior vena cava stenosis
- Superior vena cava syndrome
- Supernumerary nipple
- Supernumerary rib
- Superovulation
- Supine hypertension
- Supine position
- Supplementation therapy
- Supportive care
- Suppressed lactation
- Supra-aortic trunk stenosis
- Supraclavicular fossa pain
- Supranuclear palsy
- Suprapubic pain
- Supravalvular aortic stenosis
- Supraventricular extrasystoles
- Supraventricular tachyarrhythmia
- Supraventricular tachycardia
- Surfactant protein
- Surfactant protein increased
- Surgery
- Surgical failure
- Surgical fixation of rib fracture
- Surgical procedure repeated
- Surgical stapling
- Susac's syndrome
- Suspected COVID-19
- Suspected counterfeit product
- Suspected product contamination
- Suspected product quality issue
- Suspected product tampering
- Suspected suicide
- Suspected transmission
- of an infectious agent via product
- Suspiciousness
- Sustained viral response
- Suture insertion
- Suture related complication
- Suture removal
- Suture rupture
- Swallow study
- Swallow study abnormal
- Swan ganz catheter placement
- Sweat chloride test
- Sweat discolouration
- Sweat gland disorder
- Sweat gland infection
- Sweat test
- Sweat test abnormal
- Sweat test normal
- Sweating fever
- Swelling
- Swelling face
- Swelling of eyelid
- Swine influenza
- Swollen joint count
- Swollen joint count increased
- Swollen tear duct
- Swollen tongue
- Sydenham's chorea
- Symblepharon
- Symmetrical
- drug-related intertriginous and flexural exanthema
- Sympathetic nerve destruction
- Sympathetic nerve injury
- Sympathetic ophthalmia
- Sympathetic posterior cervical syndrome
-
- Sympathicotonia
- Symphysiolysis
- Symptom masked
- Symptom recurrence
- Synaesthesia
- Syncope
- Syncope vasovagal
- Syndactyly
- Syndesmophyte
- Synkinesis
- Synostosis
- Synovectomy
- Synovial biopsy
- Synovial biopsy abnormal
- Synovial cyst
- Synovial cyst removal
- Synovial disorder
- Synovial fluid analysis
- Synovial fluid analysis abnormal
- Synovial fluid analysis normal
- Synovial fluid cell count
- Synovial fluid crystal
- Synovial fluid crystal present
- Synovial fluid protein
- Synovial fluid red blood cells positive
-
- Synovial fluid white blood cells
- Synovial fluid white blood cells
- positive
- Synovial rupture
- Synoviorthesis
- Synovitis
- Syphilis
- Syphilis genital
- Syphilis test
- Syphilis test false positive
- Syphilis test negative
- Syphilis test positive
- Syringe issue
- Syringomyelia
- Systemic bacterial infection
- Systemic bartonellosis
- Systemic candida
- Systemic immune activation
- Systemic infection
- Systemic inflammatory response syndrome
-
- Systemic leakage
- Systemic lupus erythematosus
- Systemic lupus
- erythematosus disease activity index abnormal
- Systemic lupus
- erythematosus disease activity index decreased
- Systemic lupus
- erythematosus disease activity index increased
- Systemic lupus erythematosus rash
- Systemic mastocytosis
- Systemic mycosis
- Systemic scleroderma
- Systemic sclerosis
- Systemic sclerosis pulmonary
- Systemic toxicity
- Systemic viral infection
- Systolic anterior motion of mitral valve
-
- Systolic dysfunction
- Systolic hypertension
- T-cell lymphoma
- T-cell lymphoma recurrent
- T-cell lymphoma stage III
- T-cell lymphoma stage IV
- T-cell prolymphocytic leukaemia
- T-cell receptor gene rearrangement test
-
- T-cell type acute leukaemia
- T-lymphocyte count
- T-lymphocyte count abnormal
- T-lymphocyte count decreased
- T-lymphocyte count increased
- T-lymphocyte count normal
- TEMPI syndrome
- TORCH infection
- TP53 gene mutation
- TRPV4 gene mutation
- Tachyarrhythmia
- Tachycardia
- Tachycardia foetal
- Tachycardia induced cardiomyopathy
- Tachycardia paroxysmal
- Tachyphrenia
- Tachypnoea
- Taciturnity
- Taeniasis
- Takayasu's arteritis
- Talipes
- Talipes correction
- Tandem gait test
- Tandem gait test abnormal
- Tandem gait test normal
- Tangentiality
- Tanning
- Tardive dyskinesia
- Target skin lesion
- Targeted cancer therapy
- Tarsal tunnel decompression
- Tarsal tunnel syndrome
- Tartrate-resistant acid phosphatase
- increased
- Taste disorder
- Tattoo
- Tattoo excision
- Tear break up time test
- Tear discolouration
- Tearfulness
- Teeth brittle
- Teething
- Telangiectasia
- Telemedicine
- Temperature difference of extremities
-
- Temperature intolerance
- Temperature perception test abnormal
- Temperature perception test decreased
-
- Temperature perception test increased
-
- Temperature perception test normal
- Temperature regulation disorder
- Temporal arteritis
- Temporal lobe epilepsy
- Temporary mechanical circulatory support
-
- Temporary transvenous pacing
- Temporomandibular joint surgery
- Temporomandibular joint syndrome
- Tender joint count
- Tenderness
- Tendinous contracture
- Tendon calcification
- Tendon discomfort
- Tendon dislocation
- Tendon disorder
- Tendon injury
- Tendon laxity
- Tendon operation
- Tendon pain
- Tendon rupture
- Tendon sheath disorder
- Tendon sheath effusion
- Tendon sheath incision
- Tendonitis
- Tenodesis
- Tenoplasty
- Tenosynovitis
- Tenosynovitis stenosans
- Tenotomy
- Tensilon test
- Tensilon test abnormal
- Tensilon test normal
- Tension
- Tension headache
- Tensor fasciae latae syndrome
- Teratogenicity
- Teratoma
- Teratospermia
- Term baby
- Term birth
- Terminal agitation
- Terminal ileitis
- Terminal insomnia
- Terminal state
- Tessellated fundus
- Testes exploration
- Testicular abscess
- Testicular appendage torsion
- Testicular atrophy
- Testicular cyst
- Testicular disorder
- Testicular failure
- Testicular germ cell tumour
- Testicular haemorrhage
- Testicular infarction
- Testicular injury
- Testicular mass
- Testicular microlithiasis
- Testicular necrosis
- Testicular neoplasm
- Testicular oedema
- Testicular operation
- Testicular pain
- Testicular retraction
- Testicular scan
- Testicular scan abnormal
- Testicular swelling
- Testicular torsion
- Testis cancer
- Testis discomfort
- Tetanus
- Tetanus antibody
- Tetanus antibody negative
- Tetanus immunisation
- Tetanus neonatorum
- Tetany
- Thalamic infarction
- Thalamic stroke
- Thalamus haemorrhage
- Thalassaemia
- Thalassaemia alpha
- Thalassaemia minor
- Thanatophobia
- Thanatophoric dwarfism
- Thecal sac compression
- Thelitis
- Therapeutic aspiration
- Therapeutic embolisation
- Therapeutic gargle
- Therapeutic hypothermia
- Therapeutic nerve ablation
- Therapeutic procedure
- Therapeutic product cross-reactivity
- Therapeutic product effect decreased
- Therapeutic product effect delayed
- Therapeutic product effect incomplete
-
- Therapeutic product effect increased
- Therapeutic product effect prolonged
- Therapeutic product effect variable
- Therapeutic product
- effective for unapproved indication
- Therapeutic product ineffective
- Therapeutic reaction time decreased
- Therapeutic response changed
- Therapeutic response decreased
- Therapeutic response delayed
- Therapeutic response increased
- Therapeutic response prolonged
- Therapeutic response shortened
- Therapeutic response unexpected
- Therapeutic skin care topical
- Therapy cessation
- Therapy change
- Therapy interrupted
- Therapy naive
- Therapy non-responder
- Therapy partial responder
- Therapy regimen changed
- Therapy responder
- Thermal burn
- Thermal burns of eye
- Thermoanaesthesia
- Thermogram
- Thermogram abnormal
- Thermohyperaesthesia
- Thermohypoaesthesia
- Thermometry
- Thermometry abnormal
- Thermometry normal
- Thermophobia
- Thinking abnormal
- Thiopurine methyltransferase
- Thiopurine methyltransferase decreased
-
- Thiopurine methyltransferase
- polymorphism
- Third stage postpartum haemorrhage
- Third trimester pregnancy
- Thirst
- Thirst decreased
- Thoracic cavity drainage
- Thoracic cavity drainage test
- Thoracic cavity lavage
- Thoracic haemorrhage
- Thoracic operation
- Thoracic outlet surgery
- Thoracic outlet syndrome
- Thoracic radiculopathy
- Thoracic spinal cord paralysis
- Thoracic spinal stenosis
- Thoracic vertebral fracture
- Thoracoplasty
- Thoracostomy
- Thoracotomy
- Thought blocking
- Thought broadcasting
- Thought insertion
- Threat of redundancy
- Threatened labour
- Throat cancer
- Throat clearing
- Throat irritation
- Throat lesion
- Throat tightness
- Thrombectomy
- Thrombin time
- Thrombin time abnormal
- Thrombin time normal
- Thrombin time prolonged
- Thrombin time shortened
- Thrombin-antithrombin III complex
- Thrombin-antithrombin III complex normal
-
- Thromboangiitis obliterans
- Thrombocythaemia
- Thrombocytopenia
- Thrombocytopenia neonatal
- Thrombocytopenic purpura
- Thrombocytosis
- Thromboelastogram
- Thromboembolectomy
- Thrombolysis
- Thrombophlebitis
- Thrombophlebitis migrans
- Thrombophlebitis septic
- Thrombophlebitis superficial
- Thrombopoietin level abnormal
- Thrombosed varicose vein
- Thrombosis
- Thrombosis corpora cavernosa
- Thrombosis in device
- Thrombosis mesenteric vessel
- Thrombosis prophylaxis
- Thrombosis with thrombocytopenia
- syndrome
- Thrombotic cerebral infarction
- Thrombotic microangiopathy
- Thrombotic stroke
- Thrombotic thrombocytopenic purpura
- Thumb sucking
- Thunderclap headache
- Thymectomy
- Thymic cyst
- Thymol turbidity test
- Thymoma
- Thymoma benign
- Thymoma malignant
- Thymus disorder
- Thymus enlargement
- Thymus hypoplasia
- Thyroglobulin
- Thyroglobulin absent
- Thyroglobulin increased
- Thyroglobulin present
- Thyroglossal cyst
- Thyroglossal cyst excision
- Thyroid adenoma
- Thyroid atrophy
- Thyroid calcification
- Thyroid cancer
- Thyroid cancer metastatic
- Thyroid cancer recurrent
- Thyroid cancer stage 0
- Thyroid cyst
- Thyroid dermatopathy
- Thyroid disorder
- Thyroid function test
- Thyroid function test abnormal
- Thyroid function test normal
- Thyroid gland abscess
- Thyroid gland cancer
- Thyroid gland injury
- Thyroid gland scan abnormal
- Thyroid gland scan normal
- Thyroid haemorrhage
- Thyroid hormone replacement therapy
- Thyroid hormones decreased
- Thyroid hormones increased
- Thyroid hormones test
- Thyroid mass
- Thyroid neoplasm
- Thyroid nodule removal
- Thyroid operation
- Thyroid pain
- Thyroid releasing hormone challenge test
-
- Thyroid stimulating hormone deficiency
-
- Thyroid stimulating immunoglobulin
- Thyroid stimulating immunoglobulin
- increased
- Thyroid therapy
- Thyroidectomy
- Thyroiditis
- Thyroiditis acute
- Thyroiditis chronic
- Thyroiditis subacute
- Thyrotoxic cardiomyopathy
- Thyrotoxic crisis
- Thyrotoxic periodic paralysis
- Thyroxin binding globulin
- Thyroxin binding globulin increased
- Thyroxine
- Thyroxine abnormal
- Thyroxine decreased
- Thyroxine free
- Thyroxine free abnormal
- Thyroxine free decreased
- Thyroxine free increased
- Thyroxine free normal
- Thyroxine increased
- Thyroxine normal
- Tibia fracture
- Tic
- Tick paralysis
- Tick-borne viral encephalitis
- Tidal volume
- Tidal volume abnormal
- Tidal volume decreased
- Tilt table test
- Tilt table test normal
- Tilt table test positive
- Time perception altered
- Tinea capitis
- Tinea cruris
- Tinea infection
- Tinea pedis
- Tinea versicolour
- Tinel's sign
- Tinetti test
- Tinnitus
- Tissue discolouration
- Tissue expansion procedure
- Tissue infiltration
- Tissue injury
- Tissue irritation
- Tissue polypeptide antigen
- Tissue polypeptide antigen increased
- Tissue rupture
- Tobacco abuse
- Tobacco user
- Tobacco withdrawal symptoms
- Tocolysis
- Toe amputation
- Toe operation
- Toe walking
- Tolosa-Hunt syndrome
- Tongue abscess
- Tongue atrophy
- Tongue biting
- Tongue black hairy
- Tongue blistering
- Tongue cancer recurrent
- Tongue coated
- Tongue cyst
- Tongue discolouration
- Tongue discomfort
- Tongue disorder
- Tongue dry
- Tongue dysplasia
- Tongue eruption
- Tongue erythema
- Tongue exfoliation
- Tongue fungal infection
- Tongue geographic
- Tongue haematoma
- Tongue haemorrhage
- Tongue induration
- Tongue injury
- Tongue movement disturbance
- Tongue neoplasm
- Tongue neoplasm malignant stage
- unspecified
- Tongue oedema
- Tongue operation
- Tongue paralysis
- Tongue pigmentation
- Tongue polyp
- Tongue pruritus
- Tongue rough
- Tongue spasm
- Tongue thrust
- Tongue tie operation
- Tongue ulceration
- Tonic clonic movements
- Tonic convulsion
- Tonic posturing
- Tonsil cancer
- Tonsil cancer metastatic
- Tonsillar cyst
- Tonsillar disorder
- Tonsillar erythema
- Tonsillar exudate
- Tonsillar haemorrhage
- Tonsillar hypertrophy
- Tonsillar inflammation
- Tonsillar neoplasm
- Tonsillar ulcer
- Tonsillectomy
- Tonsillitis
- Tonsillitis bacterial
- Tonsillitis streptococcal
- Tonsillolith
- Tooth abscess
- Tooth avulsion
- Tooth demineralisation
- Tooth deposit
- Tooth development disorder
- Tooth discolouration
- Tooth dislocation
- Tooth disorder
- Tooth erosion
- Tooth extraction
- Tooth fracture
- Tooth hypoplasia
- Tooth impacted
- Tooth infection
- Tooth injury
- Tooth loss
- Tooth malformation
- Tooth repair
- Tooth resorption
- Tooth restoration
- Tooth socket haemorrhage
- Toothache
- Topography corneal
- Topography corneal abnormal
- Torsade de pointes
- Torticollis
- Torus fracture
- Total bile acids
- Total bile acids increased
- Total cholesterol/HDL ratio
- Total cholesterol/HDL ratio abnormal
- Total cholesterol/HDL ratio decreased
-
- Total cholesterol/HDL ratio increased
-
- Total cholesterol/HDL ratio normal
- Total complement activity decreased
- Total complement activity increased
- Total complement activity test
- Total fluid output
- Total lung capacity
- Total lung capacity abnormal
- Total lung capacity decreased
- Total lung capacity increased
- Total lung capacity normal
- Total neuropathy score
- Tourette's disorder
- Tourniquet application
- Toxic anterior segment syndrome
- Toxic cardiomyopathy
- Toxic encephalopathy
- Toxic epidermal necrolysis
- Toxic goitre
- Toxic neuropathy
- Toxic nodular goitre
- Toxic optic neuropathy
- Toxic shock syndrome
- Toxic shock syndrome staphylococcal
- Toxic shock syndrome streptococcal
- Toxic skin eruption
- Toxicity to various agents
- Toxicologic test
- Toxicologic test abnormal
- Toxicologic test normal
- Toxocariasis
- Toxoplasma serology
- Toxoplasma serology negative
- Toxoplasma serology positive
- Toxoplasmosis
- Trabeculectomy
- Trace element deficiency
- Tracheal aspirate culture
- Tracheal aspiration procedure
- Tracheal cancer
- Tracheal compression
- Tracheal deviation
- Tracheal dilatation
- Tracheal dilation procedure
- Tracheal disorder
- Tracheal diverticulum
- Tracheal fistula repair
- Tracheal haemorrhage
- Tracheal inflammation
- Tracheal injury
- Tracheal neoplasm
- Tracheal obstruction
- Tracheal oedema
- Tracheal pain
- Tracheal stenosis
- Tracheal ulcer
- Tracheitis
- Tracheitis obstructive
- Tracheo-oesophageal fistula
- Tracheobronchial stent insertion
- Tracheobronchitis
- Tracheobronchitis bacterial
- Tracheomalacia
- Tracheoscopy
- Tracheostomy
- Tracheostomy infection
- Tracheostomy malfunction
- Tracheostomy tube removal
- Trachoma
- Traction
- Tractional retinal detachment
- Trance
- Trans-sexualism
- Transaminases
- Transaminases abnormal
- Transaminases decreased
- Transaminases increased
- Transcatheter aortic valve implantation
-
- Transcranial electrical
- motor evoked potential monitoring
- Transcranial
- electrical motor evoked potential monitoring abnormal
- Transcranial magnetic stimulation
- Transcription medication error
- Transcutaneous pacing
- Transfer factor reduced
- Transferrin
- Transferrin abnormal
- Transferrin decreased
- Transferrin increased
- Transferrin normal
- Transferrin receptor assay
- Transferrin saturation
- Transferrin saturation abnormal
- Transferrin saturation decreased
- Transferrin saturation increased
- Transfusion
- Transfusion reaction
- Transfusion related complication
- Transient acantholytic dermatosis
- Transient aphasia
- Transient elastography
- Transient epileptic amnesia
- Transient global amnesia
- Transient hypogammaglobulinaemia of
- infancy
- Transient ischaemic attack
- Transient lingual papillitis
- Transient psychosis
- Transient tachypnoea of the newborn
- Transillumination
- Transitional cell cancer
- of the renal pelvis and ureter
- Transitional cell carcinoma
- Transitional cell carcinoma metastatic
-
- Transitional cell carcinoma urethra
- Transmembrane receptor tyrosine
- kinase assay
- Transmission of an
- infectious agent via a medicinal product
- Transmission of an infectious
- agent via product
- Transplant
- Transplant dysfunction
- Transplant evaluation
- Transplant failure
- Transplant rejection
- Transplantation complication
- Transposition of the great vessels
- Transsphenoidal surgery
- Transurethral bladder resection
- Transurethral incision of prostate
- Transurethral prostatectomy
- Transvalvular pressure gradient
- Transvalvular pressure gradient abnormal
-
- Transvalvular pressure gradient
- increased
- Transverse presentation
- Transverse sinus stenosis
- Transverse sinus thrombosis
- Traumatic brain injury
- Traumatic delivery
- Traumatic fracture
- Traumatic haematoma
- Traumatic haemorrhage
- Traumatic haemothorax
- Traumatic heart injury
- Traumatic intracranial haemorrhage
- Traumatic liver injury
- Traumatic lumbar puncture
- Traumatic lung injury
- Traumatic renal injury
- Traumatic shock
- Traumatic tooth displacement
- Treatment delayed
- Treatment failure
- Treatment noncompliance
- Trematode infection
- Tremor
- Tremor neonatal
- Trendelenburg position
- Trendelenburg's symptom
- Treponema test
- Treponema test false positive
- Treponema test negative
- Treponema test positive
- Tri-iodothyronine
- Tri-iodothyronine abnormal
- Tri-iodothyronine decreased
- Tri-iodothyronine free
- Tri-iodothyronine free abnormal
- Tri-iodothyronine free decreased
- Tri-iodothyronine free increased
- Tri-iodothyronine free normal
- Tri-iodothyronine increased
- Tri-iodothyronine normal
- Tri-iodothyronine uptake
- Tri-iodothyronine uptake decreased
- Tri-iodothyronine uptake increased
- Trial of void
- Trichiasis
- Trichiniasis
- Trichodynia
- Trichoglossia
- Trichomoniasis
- Trichorrhexis
- Trichotillomania
- Trichuriasis
- Tricuspid valve calcification
- Tricuspid valve disease
- Tricuspid valve incompetence
- Tricuspid valve prolapse
- Tricuspid valve repair
- Tricuspid valve replacement
- Tricuspid valve stenosis
- Tricuspid valve thickening
- Trifascicular block
- Trigeminal nerve disorder
- Trigeminal nerve injection
- Trigeminal nerve paresis
- Trigeminal neuralgia
- Trigeminal neuritis
- Trigeminal neuropathy
- Trigeminal palsy
- Trigger finger
- Triple hit lymphoma
- Triple negative breast cancer
- Triple positive breast cancer
- Trismus
- Trisomy 12
- Trisomy 13
- Trisomy 15
- Trisomy 16
- Trisomy 18
- Trisomy 21
- Trisomy 22
- Trisomy 8
- Trombidiasis
- Tropical spastic paresis
- Troponin
- Troponin C
- Troponin I
- Troponin I abnormal
- Troponin I decreased
- Troponin I increased
- Troponin I normal
- Troponin T
- Troponin T increased
- Troponin T normal
- Troponin abnormal
- Troponin decreased
- Troponin increased
- Troponin normal
- Trousseau's sign
- Truncus arteriosus persistent
- Truncus coeliacus thrombosis
- Trunk injury
- Tryptase
- Tryptase decreased
- Tryptase increased
- Tubal rupture
- Tuberculin test
- Tuberculin test false positive
- Tuberculin test negative
- Tuberculin test positive
- Tuberculoma of central nervous system
-
- Tuberculosis
- Tuberculosis bladder
- Tuberculosis gastrointestinal
- Tuberculosis of central nervous system
-
- Tuberculosis of eye
- Tuberculosis skin test positive
- Tuberculosis test negative
- Tuberculous pleurisy
- Tuberous sclerosis
- Tuberous sclerosis complex
- Tubo-ovarian abscess
- Tubulointerstitial nephritis
- Tubulointerstitial nephritis and
- uveitis syndrome
- Tularaemia
- Tumefactive multiple sclerosis
- Tumour ablation
- Tumour biopsy
- Tumour excision
- Tumour flare
- Tumour haemorrhage
- Tumour lysis syndrome
- Tumour marker abnormal
- Tumour marker decreased
- Tumour marker increased
- Tumour marker test
- Tumour necrosis
- Tumour necrosis
- factor receptor-associated periodic syndrome
- Tumour pain
- Tumour perforation
- Tumour rupture
- Tumour thrombosis
- Tumour ulceration
- Tumour vaccine therapy
- Tunnel vision
- Turbinectomy
- Turner's syndrome
- Twiddler's syndrome
- Twin pregnancy
- Twin reversed arterial
- perfusion sequence malformation
- Tympanic membrane disorder
- Tympanic membrane hyperaemia
- Tympanic membrane perforation
- Tympanic membrane scarring
- Tympanometry
- Tympanometry abnormal
- Tympanometry normal
- Tympanoplasty
- Tympanosclerosis
- Tympanoscopy
- Type 1 diabetes mellitus
- Type 2 diabetes mellitus
- Type 2 lepra reaction
- Type I hypersensitivity
- Type II hypersensitivity
- Type III immune complex mediated
- reaction
- Type IIa hyperlipidaemia
- Type IV hypersensitivity reaction
- Type V hyperlipidaemia
- Typhoid fever
- Typhus
- Typhus rickettsia test
- Typhus rickettsia test positive
- Typical aura without headache
- Tyrosinaemia
- Tyrosine kinase mutation assay
- UV light therapy
- Ubiquinone
- Ubiquinone decreased
- Uhthoff's phenomenon
- Ulcer
- Ulcer haemorrhage
- Ulcerative duodenitis
- Ulcerative gastritis
- Ulcerative keratitis
- Ulna fracture
- Ulnar nerve injury
- Ulnar nerve palsy
- Ulnar neuritis
- Ulnar tunnel syndrome
- Ulnocarpal abutment syndrome
- Ultrasonic angiogram
- Ultrasonic angiogram normal
- Ultrasound Doppler
- Ultrasound Doppler abnormal
- Ultrasound Doppler normal
- Ultrasound abdomen
- Ultrasound abdomen abnormal
- Ultrasound abdomen normal
- Ultrasound antenatal screen
- Ultrasound antenatal screen abnormal
- Ultrasound antenatal screen normal
- Ultrasound biliary tract
- Ultrasound biliary tract abnormal
- Ultrasound biliary tract normal
- Ultrasound bladder
- Ultrasound bladder abnormal
- Ultrasound bladder normal
- Ultrasound breast
- Ultrasound breast abnormal
- Ultrasound breast normal
- Ultrasound chest
- Ultrasound eye
- Ultrasound eye abnormal
- Ultrasound eye normal
- Ultrasound foetal
- Ultrasound foetal abnormal
- Ultrasound head
- Ultrasound head abnormal
- Ultrasound head normal
- Ultrasound joint
- Ultrasound kidney
- Ultrasound kidney abnormal
- Ultrasound kidney normal
- Ultrasound liver
- Ultrasound liver abnormal
- Ultrasound liver normal
- Ultrasound lymph nodes
- Ultrasound ovary
- Ultrasound ovary abnormal
- Ultrasound pancreas
- Ultrasound pancreas abnormal
- Ultrasound pancreas normal
- Ultrasound pelvis
- Ultrasound pelvis abnormal
- Ultrasound pelvis normal
- Ultrasound penis
- Ultrasound prostate
- Ultrasound prostate abnormal
- Ultrasound scan
- Ultrasound scan abnormal
- Ultrasound scan normal
- Ultrasound scan vagina
- Ultrasound scan vagina abnormal
- Ultrasound scan vagina normal
- Ultrasound skull
- Ultrasound skull abnormal
- Ultrasound skull normal
- Ultrasound spleen
- Ultrasound testes
- Ultrasound testes abnormal
- Ultrasound testes normal
- Ultrasound therapy
- Ultrasound thyroid
- Ultrasound thyroid abnormal
- Ultrasound thyroid normal
- Ultrasound urinary system
- Ultrasound uterus
- Ultrasound uterus abnormal
- Ultrasound uterus normal
- Umbilical cord abnormality
- Umbilical cord around neck
- Umbilical cord blood pH
- Umbilical cord compression
- Umbilical cord prolapse
- Umbilical cord short
- Umbilical cord thrombosis
- Umbilical discharge
- Umbilical erythema
- Umbilical granuloma
- Umbilical haematoma
- Umbilical haemorrhage
- Umbilical hernia
- Umbilical hernia repair
- Uncinate fits
- Underdose
- Underimmunisation
- Undersensing
- Underweight
- Undifferentiated connective tissue
- disease
- Undifferentiated nasopharyngeal
- carcinoma
- Undifferentiated sarcoma
- Undifferentiated spondyloarthritis
- Unemployment
- Unevaluable event
- Unevaluable investigation
- Unevaluable specimen
- Unhealthy diet
- Unhealthy lifestyle
- Unintended pregnancy
- Unintentional medical device removal
- Unintentional use for unapproved
- indication
- Univentricular heart
- Unknown schedule of product
- administration
- Unmasking of previously unidentified
- disease
- Unresponsive to stimuli
- Unwanted pregnancy
- Up and down phenomenon
- Upper airway obstruction
- Upper extremity mass
- Upper gastrointestinal haemorrhage
- Upper limb fracture
- Upper motor neurone lesion
- Upper respiratory tract congestion
- Upper respiratory tract endoscopy
- Upper respiratory tract infection
- Upper respiratory tract infection
- bacterial
- Upper respiratory tract inflammation
- Upper respiratory tract irritation
- Upper-airway cough syndrome
- Urachal abnormality
- Uraemic encephalopathy
- Uraemic gastropathy
- Urea renal clearance
- Urea renal clearance decreased
- Urea urine
- Urea urine abnormal
- Urea urine decreased
- Urea urine increased
- Urea urine normal
- Ureaplasma infection
- Ureaplasma test positive
- Ureteral catheterisation
- Ureteral disorder
- Ureteral neoplasm
- Ureteral stent insertion
- Ureteral stent removal
- Ureteral wall thickening
- Ureteric calculus removal
- Ureteric cancer
- Ureteric compression
- Ureteric dilatation
- Ureteric haemorrhage
- Ureteric injury
- Ureteric obstruction
- Ureteric stenosis
- Ureteritis
- Ureterolithiasis
- Ureterolithotomy
- Ureteroscopy
- Ureteroscopy abnormal
- Urethral atresia
- Urethral bulking agent injection
- Urethral carbuncle
- Urethral caruncle
- Urethral cyst
- Urethral dilatation
- Urethral dilation procedure
- Urethral discharge
- Urethral disorder
- Urethral fistula
- Urethral haemorrhage
- Urethral injury
- Urethral intrinsic sphincter deficiency
-
- Urethral meatus stenosis
- Urethral obstruction
- Urethral pain
- Urethral polyp
- Urethral repair
- Urethral spasm
- Urethral stenosis
- Urethral syndrome
- Urethral ulcer
- Urethral valves
- Urethritis
- Urethritis gonococcal
- Urethritis noninfective
- Urge incontinence
- Urinary assistance device user
- Urinary bladder haematoma
- Urinary bladder haemorrhage
- Urinary bladder polyp
- Urinary bladder rupture
- Urinary bladder suspension
- Urinary bladder toxicity
- Urinary casts
- Urinary casts absent
- Urinary casts present
- Urinary cystectomy
- Urinary hesitation
- Urinary incontinence
- Urinary nitrogen increased
- Urinary occult blood
- Urinary occult blood negative
- Urinary occult blood positive
- Urinary retention
- Urinary retention postoperative
- Urinary sediment
- Urinary sediment abnormal
- Urinary sediment present
- Urinary squamous epithelial cells
- increased
- Urinary stone analysis
- Urinary straining
- Urinary system X-ray
- Urinary system x-ray abnormal
- Urinary system x-ray normal
- Urinary tract candidiasis
- Urinary tract discomfort
- Urinary tract disorder
- Urinary tract imaging
- Urinary tract imaging abnormal
- Urinary tract infection
- Urinary tract infection bacterial
- Urinary tract infection enterococcal
- Urinary tract infection fungal
- Urinary tract infection neonatal
- Urinary tract infection pseudomonal
- Urinary tract infection staphylococcal
-
- Urinary tract infection viral
- Urinary tract inflammation
- Urinary tract malformation
- Urinary tract neoplasm
- Urinary tract obstruction
- Urinary tract operation
- Urinary tract pain
- Urinary tract procedural complication
-
- Urinary tract stoma complication
- Urinary tract toxicity
- Urine abnormality
- Urine albumin/creatinine ratio
- Urine albumin/creatinine ratio increased
-
- Urine albumin/creatinine ratio normal
-
- Urine alcohol test
- Urine alcohol test negative
- Urine alcohol test positive
- Urine alkalinisation therapy
- Urine aluminium
- Urine aluminium increased
- Urine amphetamine
- Urine amphetamine negative
- Urine amphetamine positive
- Urine analysis
- Urine analysis abnormal
- Urine analysis normal
- Urine antigen test
- Urine arsenic
- Urine arsenic decreased
- Urine arsenic increased
- Urine barbiturates
- Urine beryllium increased
- Urine bilirubin decreased
- Urine bilirubin increased
- Urine calcium
- Urine calcium increased
- Urine calcium/creatinine ratio
- Urine cannabinoids increased
- Urine chloride
- Urine chloride decreased
- Urine chloride increased
- Urine chromium
- Urine colour abnormal
- Urine copper
- Urine copper increased
- Urine cytology
- Urine cytology abnormal
- Urine cytology normal
- Urine delta aminolevulinate
- Urine electrolytes
- Urine electrolytes abnormal
- Urine electrolytes decreased
- Urine electrolytes normal
- Urine electrophoresis
- Urine electrophoresis abnormal
- Urine electrophoresis normal
- Urine flow decreased
- Urine glucose false positive
- Urine homocystine
- Urine human chorionic gonadotropin
- Urine human chorionic gonadotropin
- negative
- Urine human chorionic gonadotropin
- normal
- Urine human chorionic gonadotropin
- positive
- Urine iron decreased
- Urine ketone body
- Urine ketone body absent
- Urine ketone body present
- Urine lactic acid increased
- Urine leukocyte esterase
- Urine leukocyte esterase positive
- Urine magnesium
- Urine mercury
- Urine mercury abnormal
- Urine mercury normal
- Urine nitrogen
- Urine odour abnormal
- Urine organic acid test
- Urine osmolarity
- Urine osmolarity decreased
- Urine osmolarity increased
- Urine osmolarity normal
- Urine output
- Urine output decreased
- Urine output increased
- Urine oxalate
- Urine phosphate decreased
- Urine phosphorus
- Urine phosphorus normal
- Urine porphobilinogen increased
- Urine porphobilinogen normal
- Urine potassium
- Urine potassium decreased
- Urine potassium increased
- Urine potassium normal
- Urine protein, quantitative
- Urine protein/creatinine ratio
- Urine protein/creatinine ratio abnormal
-
- Urine protein/creatinine ratio decreased
-
- Urine protein/creatinine ratio increased
-
- Urine protein/creatinine ratio normal
-
- Urine retinol binding protein increased
-
- Urine sodium
- Urine sodium abnormal
- Urine sodium decreased
- Urine sodium increased
- Urine sodium normal
- Urine uric acid
- Urine uric acid abnormal
- Urine uric acid decreased
- Urine uric acid increased
- Urine uric acid normal
- Urine viscosity increased
- Urinoma
- Urobilin urine
- Urobilin urine absent
- Urobilin urine present
- Urobilinogen faeces normal
- Urobilinogen urine
- Urobilinogen urine decreased
- Urobilinogen urine increased
- Urodynamics measurement
- Urodynamics measurement abnormal
- Urogenital disorder
- Urogenital fistula
- Urogenital haemorrhage
- Urogenital infection bacterial
- Urogenital infection fungal
- Urogram
- Urogram abnormal
- Urogram normal
- Urological examination
- Urological examination abnormal
- Urological examination normal
- Urosepsis
- Urostomy
- Urostomy complication
- Urticaria
- Urticaria aquagenic
- Urticaria cholinergic
- Urticaria chronic
- Urticaria contact
- Urticaria generalised
- Urticaria papular
- Urticaria physical
- Urticaria pigmentosa
- Urticaria pressure
- Urticaria thermal
- Urticaria vesiculosa
- Urticaria vibratory
- Urticarial dermatitis
- Urticarial vasculitis
- Use of accessory respiratory muscles
- Useless hand syndrome
- Uterine abscess
- Uterine adhesions
- Uterine artery embolisation
- Uterine atony
- Uterine atrophy
- Uterine cancer
- Uterine cervical erosion
- Uterine cervical laceration
- Uterine cervical pain
- Uterine cervical squamous metaplasia
- Uterine cervix dilation procedure
- Uterine cervix hyperplasia
- Uterine cervix stenosis
- Uterine cervix ulcer
- Uterine contractions abnormal
- Uterine contractions during pregnancy
-
- Uterine cyst
- Uterine dehiscence
- Uterine dilation and curettage
- Uterine dilation and evacuation
- Uterine disorder
- Uterine enlargement
- Uterine fibrosis
- Uterine haematoma
- Uterine haemorrhage
- Uterine hypertonus
- Uterine hypotonus
- Uterine infection
- Uterine inflammation
- Uterine injury
- Uterine inversion
- Uterine irritability
- Uterine leiomyoma
- Uterine leiomyoma embolisation
- Uterine malposition
- Uterine mass
- Uterine myoma expulsion
- Uterine necrosis
- Uterine neoplasm
- Uterine operation
- Uterine pain
- Uterine polyp
- Uterine polypectomy
- Uterine prolapse
- Uterine repair
- Uterine rupture
- Uterine scar
- Uterine spasm
- Uterine tenderness
- Uveal melanoma
- Uveal prolapse
- Uveitis
- Uveitis-glaucoma-hyphaema syndrome
- Uvulitis
- Uvulopalatopharyngoplasty
- VACTERL syndrome
- VEXAS syndrome
- VIIIth nerve injury
- VIIIth nerve lesion
- VIIth nerve injury
- VIIth nerve paralysis
- VIth nerve disorder
- VIth nerve injury
- VIth nerve paralysis
- VIth nerve paresis
- Vaccination complication
- Vaccination error
- Vaccination failure
- Vaccination site abscess
- Vaccination site abscess sterile
- Vaccination site anaesthesia
- Vaccination site atrophy
- Vaccination site bruising
- Vaccination site calcification
- Vaccination site cellulitis
- Vaccination site coldness
- Vaccination site cyst
- Vaccination site dermatitis
- Vaccination site discharge
- Vaccination site discolouration
- Vaccination site discomfort
- Vaccination site dryness
- Vaccination site dysaesthesia
- Vaccination site eczema
- Vaccination site erosion
- Vaccination site erythema
- Vaccination site eschar
- Vaccination site exfoliation
- Vaccination site extravasation
- Vaccination site fibrosis
- Vaccination site granuloma
- Vaccination site haematoma
- Vaccination site haemorrhage
- Vaccination site hyperaesthesia
- Vaccination site hypersensitivity
- Vaccination site hypertrichosis
- Vaccination site hypertrophy
- Vaccination site hypoaesthesia
- Vaccination site induration
- Vaccination site infection
- Vaccination site inflammation
- Vaccination site injury
- Vaccination site irritation
- Vaccination site ischaemia
- Vaccination site joint discomfort
- Vaccination site joint effusion
- Vaccination site joint erythema
- Vaccination site joint infection
- Vaccination site joint inflammation
- Vaccination site joint movement
- impairment
- Vaccination site joint pain
- Vaccination site joint swelling
- Vaccination site joint warmth
- Vaccination site laceration
- Vaccination site lymphadenopathy
- Vaccination site macule
- Vaccination site mass
- Vaccination site movement impairment
- Vaccination site necrosis
- Vaccination site nerve damage
- Vaccination site nodule
- Vaccination site oedema
- Vaccination site pain
- Vaccination site pallor
- Vaccination site papule
- Vaccination site paraesthesia
- Vaccination site phlebitis
- Vaccination site photosensitivity
- reaction
- Vaccination site plaque
- Vaccination site pruritus
- Vaccination site pustule
- Vaccination site rash
- Vaccination site reaction
- Vaccination site recall reaction
- Vaccination site scab
- Vaccination site scar
- Vaccination site streaking
- Vaccination site swelling
- Vaccination site thrombosis
- Vaccination site ulcer
- Vaccination site urticaria
- Vaccination site vasculitis
- Vaccination site vesicles
- Vaccination site warmth
- Vaccine associated enhanced disease
- Vaccine associated enhanced
- respiratory disease
- Vaccine associated paralytic
- poliomyelitis
- Vaccine bacteria shedding
- Vaccine breakthrough infection
- Vaccine coadministration
- Vaccine induced antibody absent
- Vaccine positive rechallenge
- Vaccine virus shedding
- Vaccinia
- Vaccinia test positive
- Vaccinia virus infection
- Vacuum aspiration
- Vacuum extractor delivery
- Vagal nerve stimulator implantation
- Vaginal abscess
- Vaginal cancer
- Vaginal cancer recurrent
- Vaginal cancer stage 0
- Vaginal candidiasis
- Vaginal cellulitis
- Vaginal cyst
- Vaginal dilation procedure
- Vaginal discharge
- Vaginal disorder
- Vaginal dysplasia
- Vaginal erosion
- Vaginal fistula
- Vaginal flatulence
- Vaginal haematoma
- Vaginal haemorrhage
- Vaginal infection
- Vaginal inflammation
- Vaginal laceration
- Vaginal lesion
- Vaginal mucosal blistering
- Vaginal neoplasm
- Vaginal odour
- Vaginal oedema
- Vaginal pH abnormal
- Vaginal pain
- Vaginal polyp
- Vaginal prolapse
- Vaginal removal of intrauterine
- foreign body
- Vaginal swelling
- Vaginal ulceration
- Vaginismus
- Vaginitis bacterial
- Vaginitis gardnerella
- Vagotomy
- Vagus nerve disorder
- Vagus nerve paralysis
- Valsalva maneuver
- Valvuloplasty cardiac
- Vanillyl mandelic acid urine
- Vanishing twin syndrome
- Variant Creutzfeldt-Jakob disease
- Varicella
- Varicella encephalitis
- Varicella immunisation
- Varicella keratitis
- Varicella meningitis
- Varicella post vaccine
- Varicella virus test
- Varicella virus test negative
- Varicella virus test positive
- Varicella zoster oesophagitis
- Varicella zoster pneumonia
- Varicella zoster serology negative
- Varicella zoster virus infection
- Varicella zoster virus serology positive
-
- Varices oesophageal
- Varicocele
- Varicophlebitis
- Varicose ulceration
- Varicose vein
- Varicose vein operation
- Varicose vein ruptured
- Varicose veins of abdominal wall
- Varicose veins pelvic
- Varicose veins vaginal
- Vasa praevia
- Vascular access complication
- Vascular access malfunction
- Vascular access placement
- Vascular access site dissection
- Vascular access site extravasation
- Vascular access site pain
- Vascular access site swelling
- Vascular access site thrombosis
- Vascular anastomosis
- Vascular anomaly
- Vascular calcification
- Vascular catheter specimen collection
-
- Vascular catheterisation
- Vascular cauterisation
- Vascular cognitive impairment
- Vascular compression
- Vascular compression therapy
- Vascular dementia
- Vascular device infection
- Vascular device occlusion
- Vascular device user
- Vascular dissection
- Vascular encephalopathy
- Vascular endothelial growth factor assay
-
- Vascular endothelial growth
- factor overexpression
- Vascular fragility
- Vascular graft
- Vascular graft complication
- Vascular graft infection
- Vascular graft occlusion
- Vascular graft stenosis
- Vascular graft thrombosis
- Vascular headache
- Vascular imaging
- Vascular injury
- Vascular insufficiency
- Vascular malformation
- Vascular neoplasm
- Vascular occlusion
- Vascular operation
- Vascular pain
- Vascular parkinsonism
- Vascular procedure complication
- Vascular pseudoaneurysm
- Vascular pseudoaneurysm ruptured
- Vascular purpura
- Vascular resistance pulmonary
- Vascular resistance pulmonary decreased
-
- Vascular resistance pulmonary increased
-
- Vascular resistance systemic
- Vascular resistance systemic decreased
-
- Vascular resistance systemic increased
-
- Vascular rupture
- Vascular shunt
- Vascular skin disorder
- Vascular stenosis
- Vascular stent insertion
- Vascular stent occlusion
- Vascular stent stenosis
- Vascular stent thrombosis
- Vascular test
- Vascular test abnormal
- Vascular test normal
- Vascular wall hypertrophy
- Vasculitic rash
- Vasculitic ulcer
- Vasculitis
- Vasculitis cerebral
- Vasculitis gastrointestinal
- Vasculitis necrotising
- Vasectomy
- Vasoactive intestinal polypeptide test
-
- Vasoconstriction
- Vasodilatation
- Vasodilation procedure
- Vasogenic cerebral oedema
- Vasomotor rhinitis
- Vasoplegia syndrome
- Vasopressive therapy
- Vasospasm
- Vegan
- Vein collapse
- Vein discolouration
- Vein disorder
- Vein dissection
- Vein pain
- Vein rupture
- Velamentous cord insertion
- Velopharyngeal incompetence
- Vena cava embolism
- Vena cava filter insertion
- Vena cava filter removal
- Vena cava injury
- Vena cava thrombosis
- Venipuncture
- Venogram
- Venogram abnormal
- Venogram normal
- Venolymphatic malformation
- Venoocclusive disease
- Venoocclusive liver disease
- Venous aneurysm
- Venous angioma of brain
- Venous angioplasty
- Venous arterialisation
- Venous bruit
- Venous haemorrhage
- Venous hypertension
- Venous injury
- Venous insufficiency
- Venous lake
- Venous ligation
- Venous occlusion
- Venous operation
- Venous oxygen partial pressure
- Venous oxygen partial pressure decreased
-
- Venous oxygen partial pressure increased
-
- Venous oxygen saturation
- Venous oxygen saturation abnormal
- Venous oxygen saturation decreased
- Venous oxygen saturation increased
- Venous oxygen saturation normal
- Venous perforation
- Venous pressure
- Venous pressure jugular
- Venous pressure jugular increased
- Venous pressure jugular normal
- Venous recanalisation
- Venous repair
- Venous stasis
- Venous stasis retinopathy
- Venous stenosis
- Venous stent insertion
- Venous thrombosis
- Venous thrombosis in pregnancy
- Venous thrombosis limb
- Venous valve ruptured
- Ventilation perfusion mismatch
- Ventilation/perfusion scan
- Ventilation/perfusion scan abnormal
- Ventilation/perfusion scan normal
- Ventouse extraction
- Ventricle rupture
- Ventricular arrhythmia
- Ventricular assist device insertion
- Ventricular cisternostomy
- Ventricular drainage
- Ventricular dysfunction
- Ventricular dyskinesia
- Ventricular dyssynchrony
- Ventricular enlargement
- Ventricular extrasystoles
- Ventricular failure
- Ventricular fibrillation
- Ventricular flutter
- Ventricular hypertrophy
- Ventricular hypokinesia
- Ventricular hypoplasia
- Ventricular internal diameter
- Ventricular internal diameter abnormal
-
- Ventricular internal diameter normal
- Ventricular pre-excitation
- Ventricular remodelling
- Ventricular septal defect
- Ventricular septal defect acquired
- Ventricular tachyarrhythmia
- Ventricular tachycardia
- Ventriculo-cardiac shunt
- Ventriculo-peritoneal shunt
- Verbal abuse
- Vertebral artery aneurysm
- Vertebral artery arteriosclerosis
- Vertebral artery dissection
- Vertebral artery hypoplasia
- Vertebral artery occlusion
- Vertebral artery stenosis
- Vertebral artery thrombosis
- Vertebral column mass
- Vertebral end plate inflammation
- Vertebral foraminal stenosis
- Vertebral lateral recess stenosis
- Vertebral lesion
- Vertebral osteophyte
- Vertebral wedging
- Vertebrobasilar artery dissection
- Vertebrobasilar dolichoectasia
- Vertebrobasilar insufficiency
-
-
-
-
-
- Vaccine
- Proportional Reporting Ratio
-
-
-
-
Download
-
-
-
-
-
-
-
-
- Select Vaccine:
-
- Select Vaccine
- 6VAX-F
- ADEN_4_7
- ANTH
- BCG
- CEE
- CHOL
- COVID19
- COVID19-2
- DF
- DPP
- DT
- DTAP
- DTAPH
- DTAPHEPBIP
- DTAPIPV
- DTAPIPVHIB
- DTIPV
- DTOX
- DTP
- DTPHEP
- DTPHIB
- DTPIHI
- DTPIPV
- DTPPHIB
- DTPPVHBHPB
- EBZR
- FLU(H1N1)
- FLU3
- FLU4
- FLUA3
- FLUA4
- FLUC3
- FLUC4
- FLUN(H1N1)
- FLUN3
- FLUN4
- FLUR3
- FLUR4
- FLUX
- FLUX(H1N1)
- H5N1
- HBHEPB
- HBPV
- HEP
- HEPA
- HEPAB
- HEPATYP
- HIBV
- HPV2
- HPV4
- HPV9
- HPVX
- IPV
- JEV
- JEV1
- JEVX
- LYME
- MEA
- MEN
- MENB
- MENHIB
- MER
- MM
- MMR
- MMRV
- MNC
- MNQ
- MNQHIB
- MU
- MUR
- OPV
- PER
- PLAGUE
- PNC
- PNC10
- PNC13
- PNC15
- PNC20
- PPV
- RAB
- RSV
- RUB
- RV
- RV1
- RV5
- RVX
- SMALL
- SMALLMNK
- SSEV
- TBE
- TD
- TDAP
- TDAPIPV
- TTOX
- TYP
- UNK
- VARCEL
- VARZOS
- YF
-
-
-
-
-
- Symptom
- Proportional Reporting Ratio > 1
-
-
-
-
Download
-
-
-
-
-
-
-
-
-
-
-
+
+
+
+
+
+
+
+
+Select Symptom:
+Select Symptom 11-beta-hydroxylase deficiency 17-hydroxyprogesterone 17-hydroxyprogesterone increased 5'nucleotidase 5'nucleotidase increased 5-alpha reductase inhibition therapy 5-hydroxyindolacetic acid 5-hydroxyindolacetic acid in urine 5-hydroxyindolacetic acid in urine decreased 5q minus syndrome ABO incompatibility ACTH stimulation test ACTH stimulation test abnormal ACTH stimulation test normal ADAMTS13 activity abnormal ADAMTS13 activity assay ADAMTS13 activity decreased ADAMTS13 activity increased ADAMTS13 activity normal ADAMTS13 inhibitor screen assay AIDS encephalopathy ALK gene rearrangement assay ALK gene rearrangement positive APACHE II score ASAH1 related disorder ASIA syndrome AST to platelet ratio index increased AST/ALT ratio AST/ALT ratio abnormal ASXL1 gene mutation Abasia Abdomen crushing Abdomen scan Abdomen scan normal Abdominal X-ray Abdominal abscess Abdominal adhesions Abdominal cavity drainage Abdominal compartment syndrome Abdominal discomfort Abdominal distension Abdominal exploration Abdominal fat apron Abdominal hernia Abdominal hernia obstructive Abdominal hernia repair Abdominal infection Abdominal injury Abdominal lymphadenopathy Abdominal mass Abdominal migraine Abdominal neoplasm Abdominal operation Abdominal pain Abdominal pain lower Abdominal pain upper Abdominal rebound tenderness Abdominal rigidity Abdominal sepsis Abdominal symptom Abdominal tenderness Abdominal wall abscess Abdominal wall cyst Abdominal wall disorder Abdominal wall haematoma Abdominal wall haemorrhage Abdominal wall mass Abdominal wall neoplasm malignant Abdominal wall oedema Abdominal wall operation Abdominal wall wound Abdominal wound dehiscence Abdominoplasty Aberrant aortic arch Aberrant motor behaviour Abiotrophia defectiva endocarditis Abnormal DNA methylation Abnormal behaviour Abnormal clotting factor Abnormal cord insertion Abnormal dreams Abnormal faeces Abnormal involuntary movement scale Abnormal labour Abnormal labour affecting foetus Abnormal loss of weight Abnormal menstrual clots Abnormal organ growth Abnormal palmar/plantar creases Abnormal precordial movement Abnormal product of conception Abnormal sensation in eye Abnormal sleep-related event Abnormal uterine bleeding Abnormal weight gain Abnormal withdrawal bleeding Aborted pregnancy Abortion Abortion complete Abortion complicated Abortion early Abortion incomplete Abortion induced Abortion induced complete Abortion induced incomplete Abortion infected Abortion late Abortion missed Abortion of ectopic pregnancy Abortion spontaneous Abortion spontaneous complete Abortion spontaneous complicated Abortion spontaneous incomplete Abortion threatened Abscess Abscess bacterial Abscess drainage Abscess fungal Abscess intestinal Abscess jaw Abscess limb Abscess management Abscess neck Abscess of external auditory meatus Abscess of eyelid Abscess of salivary gland Abscess oral Abscess rupture Abscess soft tissue Abscess sterile Abscess sweat gland Absence of immediate treatment response Abstains from alcohol Abstains from recreational drugs Abulia Acalculia Acanthamoeba keratitis Acantholysis Acanthoma Acanthosis Acanthosis nigricans Acardia Acariasis Acarodermatitis Accelerated hypertension Accelerated idioventricular rhythm Acceleromyography Accessory cardiac pathway Accessory muscle Accessory nerve disorder Accessory spleen Accident Accident at home Accident at work Accidental death Accidental exposure Accidental exposure to product Accidental exposure to product by child Accidental exposure to product packaging Accidental needle stick Accidental overdose Accidental poisoning Accidental underdose Accommodation disorder Acetabulum fracture Acetonaemia Acetonaemic vomiting Acetylcholinesterase deficiency Achenbach syndrome Achlorhydria Achromobacter infection Achromotrichia acquired Acid base balance Acid base balance abnormal Acid base balance normal Acid fast bacilli infection Acid fast stain negative Acid fast stain positive Acid haemolysin test Acid haemolysin test negative Acid hemolysin test Acid peptic disease Acid-base balance disorder mixed Acidosis Acidosis hyperchloraemic Acinetobacter bacteraemia Acinetobacter infection Acinetobacter sepsis Acinetobacter test Acinetobacter test positive Acinic cell carcinoma of salivary gland Acne Acne conglobata Acne cystic Acne fulminans Acne infantile Acne pustular Acne varioliformis Acoustic neuritis Acoustic neuroma Acoustic shock Acoustic stimulation tests Acoustic stimulation tests abnormal Acoustic stimulation tests normal Acquired C1 inhibitor deficiency Acquired Von Willebrand's disease Acquired amegakaryocytic thrombocytopenia Acquired antithrombin III deficiency Acquired blaschkoid dermatitis Acquired cardiac septal defect Acquired claw toe Acquired diaphragmatic eventration Acquired dysfibrinogenaemia Acquired epidermolysis bullosa Acquired epileptic aphasia Acquired factor IX deficiency Acquired factor VIII deficiency Acquired factor XI deficiency Acquired gene mutation Acquired haemophilia Acquired immunodeficiency syndrome Acquired macroglossia Acquired oesophageal web Acquired phimosis Acquired plagiocephaly Acquired syringomyelia Acquired tracheo-oesophageal fistula Acral peeling skin syndrome Acrochordon Acrochordon excision Acrodermatitis Acrodermatitis chronica atrophicans Acrodermatitis enteropathica Acrodynia Acrophobia Actinic cheilitis Actinic elastosis Actinic keratosis Actinomyces test positive Actinomycosis Action tremor Activated partial thromboplastin time Activated partial thromboplastin time abnormal Activated partial thromboplastin time normal Activated partial thromboplastin time prolonged Activated partial thromboplastin time ratio Activated partial thromboplastin time ratio decreased Activated partial thromboplastin time ratio fluctuation Activated partial thromboplastin time ratio increased Activated partial thromboplastin time ratio normal Activated partial thromboplastin time shortened Activated protein C resistance Activated protein C resistance test Activated protein C resistance test positive Activation syndrome Activities of daily living impaired Acupressure Acupuncture Acute HIV infection Acute abdomen Acute aortic syndrome Acute aseptic arthritis Acute cardiac event Acute chest syndrome Acute coronary syndrome Acute cutaneous lupus erythematosus Acute disseminated encephalomyelitis Acute endocarditis Acute fatty liver of pregnancy Acute febrile neutrophilic dermatosis Acute flaccid myelitis Acute generalised exanthematous pustulosis Acute graft versus host disease Acute graft versus host disease in intestine Acute graft versus host disease in liver Acute graft versus host disease in skin Acute haemorrhagic conjunctivitis Acute haemorrhagic leukoencephalitis Acute haemorrhagic oedema of infancy Acute haemorrhagic ulcerative colitis Acute hepatic failure Acute hepatitis B Acute hepatitis C Acute interstitial pneumonitis Acute kidney injury Acute left ventricular failure Acute leukaemia Acute lung injury Acute lymphocytic leukaemia Acute lymphocytic leukaemia recurrent Acute macular neuroretinopathy Acute macular outer retinopathy Acute megakaryocytic leukaemia Acute monocytic leukaemia Acute motor axonal neuropathy Acute motor-sensory axonal neuropathy Acute myeloid leukaemia Acute myeloid leukaemia recurrent Acute myeloid leukaemia refractory Acute myelomonocytic leukaemia Acute myocardial infarction Acute oesophageal mucosal lesion Acute on chronic liver failure Acute phase reaction Acute polyneuropathy Acute post asthmatic amyotrophy Acute prerenal failure Acute promyelocytic leukaemia Acute psychosis Acute pulmonary oedema Acute respiratory distress syndrome Acute respiratory failure Acute right ventricular failure Acute sinusitis Acute stress disorder Acute tonsillitis Acute undifferentiated leukaemia Acute vestibular syndrome Acute zonal occult outer retinopathy Adactyly Adams-Stokes syndrome Addison's disease Adductor vocal cord weakness Adenocarcinoma Adenocarcinoma gastric Adenocarcinoma metastatic Adenocarcinoma of appendix Adenocarcinoma of colon Adenocarcinoma of the cervix Adenocarcinoma pancreas Adenoid cystic carcinoma Adenoidal disorder Adenoidal hypertrophy Adenoidectomy Adenoiditis Adenoma benign Adenomatous polyposis coli Adenomyosis Adenopathy syphilitic Adenosine deaminase Adenosine deaminase decreased Adenosine deaminase deficiency Adenosine deaminase increased Adenosine deaminase normal Adenotonsillectomy Adenoviral conjunctivitis Adenoviral meningitis Adenovirus infection Adenovirus reactivation Adenovirus test Adenovirus test positive Adhesiolysis Adhesion Adhesive tape use Adiposis dolorosa Adjusted calcium Adjusted calcium decreased Adjusted calcium increased Adjustment disorder Adjustment disorder with anxiety Adjustment disorder with depressed mood Adjustment disorder with mixed anxiety and depressed mood Adjustment disorder with mixed disturbance of emotion and conduct Adjuvant therapy Administration related reaction Administration site acne Administration site bruise Administration site calcification Administration site cellulitis Administration site coldness Administration site cyst Administration site discharge Administration site discolouration Administration site discomfort Administration site dysaesthesia Administration site erythema Administration site extravasation Administration site haematoma Administration site hyperaesthesia Administration site hypersensitivity Administration site hypoaesthesia Administration site indentation Administration site induration Administration site infection Administration site inflammation Administration site irritation Administration site joint erythema Administration site joint movement impairment Administration site joint pain Administration site laceration Administration site lymphadenopathy Administration site movement impairment Administration site necrosis Administration site nerve damage Administration site nodule Administration site odour Administration site oedema Administration site pain Administration site papule Administration site pruritus Administration site rash Administration site reaction Administration site recall reaction Administration site swelling Administration site urticaria Administration site vesicles Administration site warmth Administration site wound Adnexa uteri cyst Adnexa uteri mass Adnexa uteri pain Adnexal torsion Adoption Adrenal adenoma Adrenal atrophy Adrenal cortex necrosis Adrenal cyst Adrenal disorder Adrenal gland cancer Adrenal gland operation Adrenal haemorrhage Adrenal insufficiency Adrenal mass Adrenal medulla hyperfunction Adrenal neoplasm Adrenal suppression Adrenalectomy Adrenalitis Adrenergic syndrome Adrenocortical insufficiency acute Adrenocortical insufficiency chronic Adrenocortical steroid therapy Adrenocorticotropic hormone deficiency Adrenogenital syndrome Adrenoleukodystrophy Adrenomegaly Adult T-cell lymphoma/leukaemia Adult failure to thrive Adulterated product Advanced sleep phase Adverse drug reaction Adverse event Adverse event following immunisation Adverse food reaction Adverse reaction Aerococcus urinae infection Aeromonas infection Aeromonas test positive Aerophagia Aerophobia Affect lability Affective ambivalence Affective disorder African trypanosomiasis Afterbirth pain Age-related macular degeneration Aged parent Ageusia Agglutination test Aggression Agitated depression Agitation Agitation neonatal Agnosia Agonal death struggle Agonal respiration Agonal rhythm Agoraphobia Agranulocytosis Agraphia Aicardi's syndrome Air embolism Airway burns Airway complication of anaesthesia Airway patency device insertion Airway peak pressure Airway peak pressure increased Airway secretion clearance therapy Akathisia Akinaesthesia Akinesia Alagille syndrome Alanine aminotransferase Alanine aminotransferase abnormal Alanine aminotransferase decreased Alanine aminotransferase increased Alanine aminotransferase normal Albumin CSF Albumin CSF abnormal Albumin CSF decreased Albumin CSF increased Albumin CSF normal Albumin globulin ratio Albumin globulin ratio abnormal Albumin globulin ratio decreased Albumin globulin ratio increased Albumin globulin ratio normal Albumin urine Albumin urine absent Albumin urine present Albuminuria Alcohol abuse Alcohol detoxification Alcohol induced persisting dementia Alcohol interaction Alcohol intolerance Alcohol poisoning Alcohol problem Alcohol rehabilitation Alcohol test Alcohol test false positive Alcohol test negative Alcohol test positive Alcohol use Alcohol use disorder Alcohol withdrawal syndrome Alcoholic Alcoholic hangover Alcoholic ketoacidosis Alcoholic liver disease Alcoholic pancreatitis Alcoholic psychosis Alcoholic seizure Alcoholism Aldolase Aldolase abnormal Aldolase decreased Aldolase increased Aldolase normal Aldosterone urine Aldosterone urine increased Alexia Alexithymia Alice in wonderland syndrome Alien limb syndrome Alkalosis Alkalosis hypochloraemic Allen's test Allergic bronchitis Allergic bronchopulmonary mycosis Allergic colitis Allergic cough Allergic gastroenteritis Allergic granulomatous angiitis Allergic hepatitis Allergic oedema Allergic otitis media Allergic pharyngitis Allergic reaction to excipient Allergic respiratory disease Allergic respiratory symptom Allergic sinusitis Allergic stomatitis Allergy alert test Allergy alert test negative Allergy prophylaxis Allergy test Allergy test negative Allergy test positive Allergy to animal Allergy to arthropod bite Allergy to arthropod sting Allergy to chemicals Allergy to metals Allergy to plants Allergy to surgical sutures Allergy to synthetic fabric Allergy to vaccine Allergy to venom Allodynia Allogenic bone marrow transplantation therapy Allogenic stem cell transplantation Alloimmune hepatitis Alopecia Alopecia areata Alopecia effluvium Alopecia scarring Alopecia totalis Alopecia universalis Alpha 1 foetoprotein Alpha 1 foetoprotein abnormal Alpha 1 foetoprotein amniotic fluid Alpha 1 foetoprotein amniotic fluid increased Alpha 1 foetoprotein amniotic fluid normal Alpha 1 foetoprotein decreased Alpha 1 foetoprotein increased Alpha 1 foetoprotein normal Alpha 1 globulin Alpha 1 globulin abnormal Alpha 1 globulin decreased Alpha 1 globulin increased Alpha 1 globulin normal Alpha 1 microglobulin Alpha 1 microglobulin increased Alpha 1 microglobulin urine Alpha 1 microglobulin urine increased Alpha 2 globulin Alpha 2 globulin abnormal Alpha 2 globulin decreased Alpha 2 globulin increased Alpha 2 globulin normal Alpha globulin decreased Alpha globulin increased Alpha haemolytic streptococcal infection Alpha hydroxybutyrate dehydrogenase Alpha hydroxybutyrate dehydrogenase increased Alpha tumour necrosis factor Alpha tumour necrosis factor increased Alpha-1 acid glycoprotein abnormal Alpha-1 acid glycoprotein increased Alpha-1 acid glycoprotein normal Alpha-1 anti-trypsin Alpha-1 anti-trypsin decreased Alpha-1 anti-trypsin deficiency Alpha-1 anti-trypsin increased Alpha-1 anti-trypsin normal Alpha-1 antitrypsin deficiency Alpha-2 macroglobulin Alpha-2 macroglobulin increased Alphavirus test Alport's syndrome Altered pitch perception Altered state of consciousness Altered visual depth perception Alternaria infection Aluminium overload Alveolar lung disease Alveolar osteitis Alveolar oxygen partial pressure Alveolar proteinosis Alveolar rhabdomyosarcoma Alveolar-arterial oxygen gradient Alveolitis Alveolitis allergic Alveolitis fibrosing Amaurosis Amaurosis fugax Amaurotic familial idiocy Ambidexterity Amblyopia Amblyopia strabismic Amegakaryocytic thrombocytopenia Amenorrhoea American Society of Anesthesiologists physical status classification American trypanosomiasis Amimia Amino acid level Amino acid level abnormal Amino acid level decreased Amino acid level increased Amino acid level normal Aminopyrine breathing test Ammonia Ammonia abnormal Ammonia decreased Ammonia increased Ammonia normal Amnesia Amnestic disorder Amniocentesis Amniocentesis abnormal Amniocentesis normal Amniorrhexis Amniorrhoea Amniotic band syndrome Amniotic cavity disorder Amniotic cavity infection Amniotic fluid index Amniotic fluid index abnormal Amniotic fluid index decreased Amniotic fluid index increased Amniotic fluid index normal Amniotic fluid volume Amniotic fluid volume decreased Amniotic fluid volume increased Amniotic membrane rupture test Amniotic membrane rupture test negative Amniotic membrane rupture test positive Amoeba test Amoeba test negative Amoeba test positive Amoebiasis Amoebic dysentery Amoebic serology positive Amphetamines Amphetamines negative Amphetamines positive Amplified musculoskeletal pain syndrome Amputation Amputation stump pain Amylase Amylase decreased Amylase increased Amylase normal Amyloid related imaging abnormalities Amyloid related imaging abnormality-microhaemorrhages and haemosiderin deposits Amyloid related imaging abnormality-oedema/effusion Amyloidosis Amyloidosis senile Amyotrophic lateral sclerosis Amyotrophic lateral sclerosis gene carrier Amyotrophy Anaemia Anaemia folate deficiency Anaemia haemolytic autoimmune Anaemia macrocytic Anaemia megaloblastic Anaemia neonatal Anaemia of chronic disease Anaemia of malignant disease Anaemia of pregnancy Anaemia postoperative Anaemia splenic Anaemia vitamin B12 deficiency Anaemic hypoxia Anaesthesia Anaesthesia dolorosa Anaesthesia oral Anaesthetic complication Anaesthetic complication neurological Anal abscess Anal atresia Anal blister Anal cancer Anal cancer stage 0 Anal candidiasis Anal chlamydia infection Anal cyst Anal dilatation Anal eczema Anal erosion Anal erythema Anal examination Anal examination abnormal Anal fissure Anal fissure excision Anal fissure haemorrhage Anal fistula Anal fistula excision Anal fungal infection Anal gonococcal infection Anal haemorrhage Anal hypoaesthesia Anal incontinence Anal infection Anal inflammation Anal injury Anal pap smear Anal pap smear abnormal Anal paraesthesia Anal polyp Anal prolapse Anal pruritus Anal rash Anal sex Anal skin tags Anal sphincter atony Anal sphincter hypertonia Anal sphincterotomy Anal stenosis Anal ulcer Analgesic drug level Analgesic drug level above therapeutic Analgesic drug level decreased Analgesic drug level increased Analgesic drug level therapeutic Analgesic effect Analgesic intervention supportive therapy Analgesic therapy Anamnestic reaction Anaphylactic reaction Anaphylactic shock Anaphylactic transfusion reaction Anaphylactoid reaction Anaphylactoid shock Anaphylactoid syndrome of pregnancy Anaphylaxis prophylaxis Anaphylaxis treatment Anaplastic astrocytoma Anaplastic large cell lymphoma T- and null-cell types Anaplastic large-cell lymphoma Anaplastic lymphoma kinase gene mutation Anaplastic lymphoma receptor tyrosine kinase assay Anaplastic thyroid cancer Anastomotic complication Anastomotic leak Anastomotic ulcer Anastomotic ulcer perforation Androgen deficiency Androgenetic alopecia Androgens Androgens abnormal Androgens increased Androgens normal Anembryonic gestation Anencephaly Anetoderma Aneurysm Aneurysm arteriovenous Aneurysm repair Aneurysm ruptured Aneurysm thrombosis Aneurysmal bone cyst Angelman's syndrome Anger Angina bullosa haemorrhagica Angina pectoris Angina unstable Anginal equivalent Angiocardiogram Angiocentric lymphoma Angiodermatitis Angiodysplasia Angioedema Angiofibroma Angiogenesis biomarker Angiogram Angiogram abnormal Angiogram cerebral Angiogram cerebral abnormal Angiogram cerebral normal Angiogram normal Angiogram peripheral Angiogram peripheral abnormal Angiogram peripheral normal Angiogram pulmonary Angiogram pulmonary abnormal Angiogram pulmonary normal Angiogram retina Angiogram retina abnormal Angiogram retina normal Angioimmunoblastic T-cell lymphoma Angioimmunoblastic T-cell lymphoma recurrent Angioimmunoblastic T-cell lymphoma stage III Angiokeratoma Angiolipoma Angiomyolipoma Angioneurotic oedema Angiopathy Angioplasty Angiosarcoma Angioscopy Angiotensin I Angiotensin I normal Angiotensin II Angiotensin II abnormal Angiotensin II decreased Angiotensin II receptor type 1 antibody positive Angiotensin converting enzyme Angiotensin converting enzyme abnormal Angiotensin converting enzyme decreased Angiotensin converting enzyme increased Angiotensin converting enzyme normal Angle closure glaucoma Angular cheilitis Anhedonia Anhidrosis Animal attack Animal bite Animal scratch Animal-assisted therapy Anion gap Anion gap abnormal Anion gap decreased Anion gap increased Anion gap normal Anisakiasis Anisocoria Anisocytosis Anisomastia Anisometropia Ankle brachial index Ankle brachial index abnormal Ankle brachial index normal Ankle deformity Ankle fracture Ankle operation Ankyloglossia acquired Ankyloglossia congenital Ankylosing spondylitis Annular elastolytic giant cell granuloma Annuloplasty Anodontia Anogenital dysplasia Anogenital lichen planus Anogenital warts Anomalous atrioventricular excitation Anomalous pulmonary venous connection Anomaly of external ear congenital Anophthalmos Anorectal discomfort Anorectal disorder Anorectal infection Anorectal manometry Anorectal operation Anorectal swelling Anorectal ulcer Anorectal varices Anorexia Anorexia nervosa Anorgasmia Anosmia Anosognosia Anotia Anovulatory cycle Anoxia Anoxic encephalopathy Antacid therapy Antepartum haemorrhage Anterior capsule contraction Anterior chamber cell Anterior chamber disorder Anterior chamber fibrin Anterior chamber flare Anterior chamber inflammation Anterior chamber opacity Anterior cord syndrome Anterior interosseous syndrome Anterior segment ischaemia Anterior spinal artery syndrome Anterograde amnesia Anti A antibody Anti B antibody Anti B antibody positive Anti factor IX antibody Anti factor IX antibody increased Anti factor V antibody Anti factor V antibody positive Anti factor VIII antibody increased Anti factor VIII antibody negative Anti factor VIII antibody positive Anti factor VIII antibody test Anti factor X activity Anti factor X activity increased Anti factor X antibody Anti factor XI antibody positive Anti factor Xa activity decreased Anti factor Xa assay Anti factor Xa assay normal Anti-GAD antibody Anti-GAD antibody negative Anti-GAD antibody positive Anti-HBc IgM antibody positive Anti-HBc antibody negative Anti-HBc antibody positive Anti-HBe antibody negative Anti-HBe antibody positive Anti-HBs antibody Anti-HBs antibody negative Anti-HBs antibody positive Anti-HLA antibody test Anti-HLA antibody test positive Anti-IA2 antibody Anti-IA2 antibody negative Anti-IA2 antibody positive Anti-JC virus antibody index Anti-Muellerian hormone level Anti-Muellerian hormone level decreased Anti-Muellerian hormone level normal Anti-NMDA antibody Anti-NMDA antibody negative Anti-NMDA antibody positive Anti-RNA polymerase III antibody Anti-RNA polymerase III antibody negative Anti-RNA polymerase III antibody positive Anti-SRP antibody positive Anti-SS-A antibody Anti-SS-A antibody negative Anti-SS-A antibody positive Anti-SS-B antibody Anti-SS-B antibody negative Anti-SS-B antibody positive Anti-VGCC antibody Anti-VGCC antibody negative Anti-VGCC antibody positive Anti-VGKC antibody Anti-VGKC antibody negative Anti-VGKC antibody positive Anti-actin antibody Anti-actin antibody positive Anti-aquaporin-4 antibody Anti-aquaporin-4 antibody negative Anti-aquaporin-4 antibody positive Anti-complement antibody Anti-cyclic citrullinated peptide antibody Anti-cyclic citrullinated peptide antibody negative Anti-cyclic citrullinated peptide antibody positive Anti-epithelial antibody Anti-erythrocyte antibody Anti-erythrocyte antibody positive Anti-erythropoietin antibody Anti-erythropoietin antibody positive Anti-ganglioside antibody Anti-ganglioside antibody negative Anti-ganglioside antibody positive Anti-glomerular basement membrane antibody Anti-glomerular basement membrane antibody negative Anti-glomerular basement membrane antibody positive Anti-glomerular basement membrane disease Anti-glycyl-tRNA synthetase antibody Anti-glycyl-tRNA synthetase antibody negative Anti-glycyl-tRNA synthetase antibody positive Anti-insulin antibody Anti-insulin antibody increased Anti-insulin antibody positive Anti-interferon antibody Anti-islet cell antibody Anti-islet cell antibody negative Anti-islet cell antibody positive Anti-melanoma differentiation-associated protein 5 antibody positive Anti-muscle specific kinase antibody Anti-muscle specific kinase antibody negative Anti-muscle specific kinase antibody positive Anti-myelin-associated glycoprotein antibodies positive Anti-myelin-associated glycoprotein associated polyneuropathy Anti-neuronal antibody Anti-neuronal antibody negative Anti-neuronal antibody positive Anti-neutrophil cytoplasmic antibody positive vasculitis Anti-platelet antibody Anti-platelet antibody negative Anti-platelet antibody positive Anti-platelet factor 4 antibody negative Anti-platelet factor 4 antibody positive Anti-platelet factor 4 antibody test Anti-polyethylene glycol antibody absent Anti-polyethylene glycol antibody present Anti-prothrombin antibody positive Anti-saccharomyces cerevisiae antibody Anti-saccharomyces cerevisiae antibody test positive Anti-soluble liver antigen/liver pancreas antibody Anti-thrombin antibody Anti-thyroid antibody Anti-thyroid antibody decreased Anti-thyroid antibody increased Anti-thyroid antibody negative Anti-thyroid antibody positive Anti-titin antibody Anti-transglutaminase antibody Anti-transglutaminase antibody increased Anti-transglutaminase antibody negative Anti-vimentin antibody positive Anti-zinc transporter 8 antibody Anti-zinc transporter 8 antibody positive Antiacetylcholine receptor antibody Antiacetylcholine receptor antibody positive Antiallergic therapy Antiangiogenic therapy Antibiotic level Antibiotic prophylaxis Antibiotic resistant Staphylococcus test Antibiotic resistant Staphylococcus test negative Antibiotic resistant Staphylococcus test positive Antibiotic therapy Antibody test Antibody test abnormal Antibody test negative Antibody test normal Antibody test positive Anticholinergic syndrome Anticipatory anxiety Anticoagulant therapy Anticoagulation drug level Anticoagulation drug level above therapeutic Anticoagulation drug level below therapeutic Anticoagulation drug level increased Anticoagulation drug level normal Anticoagulation drug level therapeutic Anticonvulsant drug level Anticonvulsant drug level abnormal Anticonvulsant drug level below therapeutic Anticonvulsant drug level decreased Anticonvulsant drug level increased Anticonvulsant drug level therapeutic Antidepressant drug level Antidiarrhoeal supportive care Antidiuretic hormone abnormality Antiemetic supportive care Antiendomysial antibody positive Antiendomysial antibody test Antifungal treatment Antigliadin antibody Antigliadin antibody positive Antigonadotrophins present Antiinflammatory therapy Antimicrobial susceptibility test Antimicrobial susceptibility test resistant Antimicrobial susceptibility test sensitive Antimitochondrial antibody Antimitochondrial antibody normal Antimitochondrial antibody positive Antimyocardial antibody Antimyocardial antibody positive Antineutrophil cytoplasmic antibody Antineutrophil cytoplasmic antibody decreased Antineutrophil cytoplasmic antibody increased Antineutrophil cytoplasmic antibody negative Antineutrophil cytoplasmic antibody positive Antinuclear antibody Antinuclear antibody increased Antinuclear antibody negative Antinuclear antibody positive Antioestrogen therapy Antioxidant capacity test Antiphospholipid antibodies Antiphospholipid antibodies negative Antiphospholipid antibodies positive Antiphospholipid syndrome Antiplatelet therapy Antipsychotic drug level Antipsychotic drug level above therapeutic Antipsychotic drug level below therapeutic Antipsychotic drug level increased Antipsychotic therapy Antiretroviral therapy Antiribosomal P antibody Antiribosomal P antibody positive Antisocial behaviour Antisocial personality disorder Antisynthetase syndrome Antithrombin III Antithrombin III abnormal Antithrombin III decreased Antithrombin III deficiency Antithrombin III increased Antiviral prophylaxis Antiviral treatment Antral follicle count Antral follicle count low Anuria Anxiety Anxiety disorder Anxiety disorder due to a general medical condition Aorta hypoplasia Aortic aneurysm Aortic aneurysm repair Aortic aneurysm rupture Aortic arteriosclerosis Aortic bruit Aortic bypass Aortic dilatation Aortic disorder Aortic dissection Aortic dissection rupture Aortic elongation Aortic embolus Aortic injury Aortic intramural haematoma Aortic occlusion Aortic perforation Aortic root compression Aortic root enlargement procedure Aortic rupture Aortic stenosis Aortic stent insertion Aortic surgery Aortic thrombosis Aortic valve calcification Aortic valve disease Aortic valve disease mixed Aortic valve incompetence Aortic valve repair Aortic valve replacement Aortic valve sclerosis Aortic valve stenosis Aortic valve thickening Aortic wall hypertrophy Aorticopulmonary septal defect Aortitis Aortogram Aortogram abnormal Apallic syndrome Apathy Apgar score Apgar score abnormal Apgar score low Apgar score normal Aphagia Aphakia Aphasia Apheresis Aphonia Aphthous stomatitis Aphthous ulcer Aphthovirus test positive Apical granuloma Aplasia Aplasia cutis congenita Aplasia pure red cell Aplastic anaemia Apnoea Apnoea neonatal Apnoea test Apnoea test abnormal Apnoeic attack Apolipoprotein Apolipoprotein A-I Apolipoprotein A-I decreased Apolipoprotein A-I normal Apolipoprotein B Apolipoprotein B increased Apolipoprotein E Apolipoprotein E abnormal Apolipoprotein E gene status assay Apoptosis Apparent death Apparent life threatening event Appendiceal abscess Appendicectomy Appendicitis Appendicitis noninfective Appendicitis perforated Appendicolith Appendix cancer Appendix disorder Appetite disorder Application site abscess Application site acne Application site anaesthesia Application site bruise Application site burn Application site cellulitis Application site cold feeling Application site coldness Application site discolouration Application site discomfort Application site dysaesthesia Application site erythema Application site exfoliation Application site haematoma Application site haemorrhage Application site hyperaesthesia Application site hypersensitivity Application site hypoaesthesia Application site induration Application site infection Application site inflammation Application site irritation Application site joint erythema Application site joint movement impairment Application site joint pain Application site joint swelling Application site laceration Application site lymphadenopathy Application site movement impairment Application site necrosis Application site nerve damage Application site nodule Application site odour Application site oedema Application site pain Application site papules Application site paraesthesia Application site plaque Application site pruritus Application site pustules Application site rash Application site reaction Application site scab Application site swelling Application site thrombosis Application site vasculitis Application site vesicles Application site warmth Application site wound Apraxia Aptyalism Aqueductal stenosis Arachnodactyly Arachnoid cyst Arachnoid web Arachnoiditis Arboviral infection Areflexia Argininosuccinate synthetase deficiency Argon plasma coagulation Arm amputation Arnold-Chiari malformation Arrested labour Arrhythmia Arrhythmia neonatal Arrhythmia supraventricular Arrhythmic storm Arrhythmogenic right ventricular dysplasia Arterial aneurysm repair Arterial angioplasty Arterial bruit Arterial bypass operation Arterial catheterisation Arterial catheterisation abnormal Arterial catheterisation normal Arterial compression therapy Arterial disorder Arterial fibrosis Arterial flow velocity decreased Arterial graft Arterial haemorrhage Arterial injury Arterial insufficiency Arterial intramural haematoma Arterial ligation Arterial occlusive disease Arterial puncture Arterial recanalisation procedure Arterial repair Arterial revascularisation Arterial rupture Arterial segmental pressure test Arterial spasm Arterial stenosis Arterial stent insertion Arterial stiffness Arterial therapeutic procedure Arterial thrombosis Arterial thrombosis limb Arterial tortuosity syndrome Arterial wall hypertrophy Arteriogram Arteriogram abnormal Arteriogram carotid Arteriogram carotid abnormal Arteriogram carotid normal Arteriogram coronary Arteriogram coronary abnormal Arteriogram coronary normal Arteriogram normal Arteriogram renal Arteriosclerosis Arteriosclerosis coronary artery Arteriosclerotic gangrene Arteriosclerotic retinopathy Arteriospasm coronary Arteriotomy Arteriovenous fistula Arteriovenous fistula aneurysm Arteriovenous fistula occlusion Arteriovenous fistula operation Arteriovenous fistula site complication Arteriovenous fistula site haemorrhage Arteriovenous fistula thrombosis Arteriovenous graft Arteriovenous graft thrombosis Arteriovenous malformation Arteritis Arteritis coronary Artery dissection Arthralgia Arthritis Arthritis allergic Arthritis bacterial Arthritis enteropathic Arthritis gonococcal Arthritis infective Arthritis reactive Arthritis rubella Arthritis viral Arthrodesis Arthrofibrosis Arthrogram Arthrogram abnormal Arthrogram normal Arthrolysis Arthropathy Arthropod bite Arthropod sting Arthropod-borne disease Arthroscopic surgery Arthroscopy Arthroscopy abnormal Arthrotomy Articular calcification Articular disc disorder Artificial blood vessel occlusion Artificial crown procedure Artificial heart device user Artificial insemination Artificial rupture of membranes Artificial skin graft Asbestosis Ascariasis Ascending flaccid paralysis Ascites Aseptic necrosis bone Asocial behaviour Aspartate aminotransferase Aspartate aminotransferase abnormal Aspartate aminotransferase decreased Aspartate aminotransferase increased Aspartate aminotransferase normal Aspartate-glutamate-transporter deficiency Asperger's disorder Aspergilloma Aspergillus infection Aspergillus test Aspergillus test negative Aspergillus test positive Aspermia Asphyxia Aspiration Aspiration biopsy Aspiration bone marrow Aspiration bone marrow abnormal Aspiration bone marrow normal Aspiration bronchial Aspiration bursa Aspiration bursa abnormal Aspiration bursa normal Aspiration joint Aspiration joint abnormal Aspiration joint normal Aspiration pleural cavity Aspiration pleural cavity abnormal Aspiration tracheal Aspiration tracheal abnormal Aspiration tracheal normal Aspirin-exacerbated respiratory disease Asplenia Assisted delivery Assisted reproductive technology Assisted suicide Asteatosis Asterixis Asthenia Asthenopia Asthenospermia Asthma Asthma exercise induced Asthma late onset Asthma prophylaxis Asthma-chronic obstructive pulmonary disease overlap syndrome Asthmatic crisis Astigmatism Astringent therapy Astrocytoma Astrocytoma malignant Astrovirus test Astrovirus test positive Asymmetric di-methylarginine increased Asymmetric thigh fold Asymptomatic COVID-19 Asymptomatic HIV infection Asymptomatic bacteriuria Ataxia Ataxia assessment scale Ataxia telangiectasia Atelectasis Atelectasis neonatal Atherectomy Atheroembolism Atherosclerosis Atherosclerotic plaque rupture Athetosis Athletic heart syndrome Atonic seizures Atonic urinary bladder Atopic keratoconjunctivitis Atopy Atrial appendage closure Atrial appendage resection Atrial enlargement Atrial fibrillation Atrial flutter Atrial hypertrophy Atrial natriuretic peptide Atrial natriuretic peptide normal Atrial pressure Atrial pressure increased Atrial septal defect Atrial septal defect repair Atrial tachycardia Atrial thrombosis Atrioventricular block Atrioventricular block complete Atrioventricular block first degree Atrioventricular block second degree Atrioventricular dissociation Atrioventricular node dysfunction Atrioventricular septal defect Atrophic glossitis Atrophic thyroiditis Atrophic vulvovaginitis Atrophie blanche Atrophoderma of Pasini and Pierini Atrophy Atrophy of globe Atropine stress test Attention deficit hyperactivity disorder Attention deficit/hyperactivity disorder Attention-seeking behaviour Atypical benign partial epilepsy Atypical femur fracture Atypical haemolytic uraemic syndrome Atypical mycobacterial infection Atypical mycobacterial lower respiratory tract infection Atypical mycobacterium pericarditis Atypical mycobacterium test positive Atypical pneumonia Audiogram Audiogram abnormal Audiogram normal Auditory disorder Auditory nerve disorder Auditory neuropathy spectrum disorder Aura Aural polyp Auricular chondritis Auricular haematoma Auricular swelling Auscultation Autism Autism spectrum disorder Autoantibody negative Autoantibody positive Autoantibody test Autoimmune anaemia Autoimmune arthritis Autoimmune blistering disease Autoimmune cholangitis Autoimmune colitis Autoimmune demyelinating disease Autoimmune dermatitis Autoimmune disorder Autoimmune encephalopathy Autoimmune endocrine disorder Autoimmune enteropathy Autoimmune eye disorder Autoimmune haemolytic anaemia Autoimmune heparin-induced thrombocytopenia Autoimmune hepatitis Autoimmune hypothyroidism Autoimmune inner ear disease Autoimmune lung disease Autoimmune lymphoproliferative syndrome Autoimmune myocarditis Autoimmune myositis Autoimmune nephritis Autoimmune neuropathy Autoimmune neutropenia Autoimmune pancreatitis Autoimmune pancytopenia Autoimmune pericarditis Autoimmune retinopathy Autoimmune thrombocytopenia Autoimmune thyroid disorder Autoimmune thyroiditis Autoimmune uveitis Autoinflammatory disease Autologous bone marrow transplantation therapy Autologous haematopoietic stem cell transplant Automatic bladder Automatic positive airway pressure Automatism Automatism epileptic Autonomic dysreflexia Autonomic nervous system imbalance Autonomic neuropathy Autonomic seizure Autophobia Autophony Autopsy Autoscopy Autosomal chromosome anomaly Autotransfusion Aversion Avian influenza Avoidant personality disorder Avulsion fracture Axial spondyloarthritis Axillary lymphadenectomy Axillary mass Axillary nerve injury Axillary pain Axillary vein thrombosis Axillary web syndrome Axonal and demyelinating polyneuropathy Axonal neuropathy Azoospermia Azotaemia B precursor type acute leukaemia B-cell aplasia B-cell depletion therapy B-cell lymphoma B-cell lymphoma recurrent B-cell lymphoma stage II B-cell lymphoma stage III B-cell lymphoma stage IV B-cell small lymphocytic lymphoma B-cell type acute leukaemia B-lymphocyte count B-lymphocyte count abnormal B-lymphocyte count decreased B-lymphocyte count increased BCL-2 gene status assay BK polyomavirus test BK polyomavirus test negative BK polyomavirus test positive BK virus infection BRAF gene mutation BRCA1 gene mutation BRCA1 gene mutation assay BRCA2 gene mutation BRCA2 gene mutation assay Babesiosis Babinski reflex test Bacille Calmette-Guerin scar reactivation Bacillus bacteraemia Bacillus infection Bacillus test positive Back crushing Back disorder Back injury Back pain Bacteraemia Bacteria blood identified Bacteria blood test Bacteria stool identified Bacteria stool no organisms observed Bacteria stool test Bacteria urine Bacteria urine identified Bacteria urine no organism observed Bacterial DNA test Bacterial DNA test positive Bacterial abdominal infection Bacterial abscess central nervous system Bacterial antigen positive Bacterial colitis Bacterial culture Bacterial culture negative Bacterial culture positive Bacterial diarrhoea Bacterial disease carrier Bacterial gingivitis Bacterial infection Bacterial parotitis Bacterial pericarditis Bacterial prostatitis Bacterial pyelonephritis Bacterial rhinitis Bacterial sepsis Bacterial test Bacterial test negative Bacterial test positive Bacterial toxaemia Bacterial tracheitis Bacterial translocation Bacterial vaginosis Bacterial vulvovaginitis Bacteriuria Bacteroides bacteraemia Bacteroides test positive Balance disorder Balance test Balanitis Balanitis candida Balanoposthitis Ballismus Band neutrophil count Band neutrophil count decreased Band neutrophil count increased Band neutrophil percentage Band neutrophil percentage decreased Band neutrophil percentage increased Band sensation Bandaemia Bankruptcy Barbiturates Barbiturates negative Barbiturates positive Barium double contrast Barium double contrast abnormal Barium enema Barium enema abnormal Barium enema normal Barium meal Barium swallow Barium swallow abnormal Barium swallow normal Barotitis media Barotrauma Barre test Barrett's oesophagus Bartholin's abscess Bartholin's cyst Bartholin's cyst removal Bartholinitis Bartonella test Bartonella test negative Bartonella test positive Bartonellosis Basal cell carcinoma Basal ganglia haematoma Basal ganglia haemorrhage Basal ganglia infarction Basal ganglia stroke Basal ganglion degeneration Base excess Base excess abnormal Base excess decreased Base excess increased Base excess negative Base excess positive Basedow's disease Basilar artery aneurysm Basilar artery occlusion Basilar artery stenosis Basilar artery thrombosis Basilar migraine Basophil count Basophil count abnormal Basophil count decreased Basophil count increased Basophil count normal Basophil degranulation test Basophil percentage Basophil percentage decreased Basophil percentage increased Basophilia Basophilopenia Basosquamous carcinoma Beckwith-Wiedemann syndrome Bed bug infestation Bed rest Bed sharing Bedridden Behaviour disorder Behaviour disorder due to a general medical condition Behavioural therapy Behcet's syndrome Bell's palsy Bell's phenomenon Belligerence Bence Jones protein urine Bence Jones protein urine absent Bence Jones protein urine present Bence Jones proteinuria Bendopnoea Benign biliary neoplasm Benign bone neoplasm Benign breast lump removal Benign breast neoplasm Benign cardiac neoplasm Benign enlargement of the subarachnoid spaces Benign familial haematuria Benign familial pemphigus Benign fasciculation syndrome Benign gastrointestinal neoplasm Benign hepatic neoplasm Benign hydatidiform mole Benign intracranial hypertension Benign lung neoplasm Benign lymph node neoplasm Benign neoplasm Benign neoplasm of bladder Benign neoplasm of cervix uteri Benign neoplasm of choroid Benign neoplasm of eye Benign neoplasm of skin Benign neoplasm of spinal cord Benign neoplasm of testis Benign neoplasm of thyroid gland Benign ovarian tumour Benign prostatic hyperplasia Benign rolandic epilepsy Benign salivary gland neoplasm Benign soft tissue neoplasm Benign tumour excision Benign uterine neoplasm Benzodiazepine drug level Benzodiazepine drug level abnormal Bereavement Beta 2 globulin Beta 2 microglobulin Beta 2 microglobulin abnormal Beta 2 microglobulin increased Beta 2 microglobulin normal Beta 2 microglobulin urine Beta 2 microglobulin urine increased Beta 2 microglobulin urine normal Beta globulin Beta globulin decreased Beta globulin increased Beta globulin normal Beta haemolytic streptococcal infection Beta ketothiolase deficiency Beta-2 glycoprotein antibody Beta-2 glycoprotein antibody negative Beta-2 glycoprotein antibody positive Beta-N-acetyl-D-glucosaminidase Bezoar Bickerstaff's encephalitis Bicuspid aortic valve Bicytopenia Biernacki's sign Bifascicular block Bile acid malabsorption Bile culture Bile culture negative Bile culture positive Bile duct cancer Bile duct cancer stage IV Bile duct obstruction Bile duct stenosis Bile duct stent insertion Bile duct stone Bile output Bile output abnormal Bile output increased Bilevel positive airway pressure Biliary adenoma Biliary ascites Biliary catheter insertion Biliary cirrhosis Biliary cirrhosis primary Biliary colic Biliary cyst Biliary dilatation Biliary dyskinesia Biliary fistula Biliary neoplasm Biliary obstruction Biliary sepsis Biliary sphincterotomy Biliary tract dilation procedure Biliary tract disorder Biliary tract infection Bilirubin conjugated Bilirubin conjugated abnormal Bilirubin conjugated decreased Bilirubin conjugated increased Bilirubin conjugated normal Bilirubin excretion disorder Bilirubin urine Bilirubin urine present Bilirubinuria Binge drinking Binge eating Binocular eye movement disorder Biochemical pregnancy Biofeedback therapy Biomedical photography Biopsy Biopsy abdominal wall Biopsy abdominal wall abnormal Biopsy abdominal wall normal Biopsy adrenal gland abnormal Biopsy anus abnormal Biopsy anus normal Biopsy artery Biopsy artery abnormal Biopsy artery normal Biopsy bile duct Biopsy bile duct abnormal Biopsy bladder Biopsy bladder abnormal Biopsy bladder normal Biopsy blood vessel Biopsy blood vessel abnormal Biopsy blood vessel normal Biopsy bone Biopsy bone abnormal Biopsy bone marrow Biopsy bone marrow abnormal Biopsy bone marrow normal Biopsy bone normal Biopsy brain Biopsy brain abnormal Biopsy brain normal Biopsy breast Biopsy breast abnormal Biopsy breast normal Biopsy bronchus Biopsy bronchus abnormal Biopsy bronchus normal Biopsy cartilage Biopsy cartilage abnormal Biopsy cervix Biopsy cervix abnormal Biopsy cervix normal Biopsy chest wall Biopsy chest wall abnormal Biopsy chest wall normal Biopsy chorionic villous Biopsy chorionic villous abnormal Biopsy colon Biopsy colon abnormal Biopsy colon normal Biopsy ear Biopsy ear abnormal Biopsy endometrium Biopsy endometrium abnormal Biopsy endometrium normal Biopsy eyelid Biopsy eyelid abnormal Biopsy eyelid normal Biopsy fallopian tube Biopsy fallopian tube normal Biopsy foetal Biopsy foetal abnormal Biopsy gallbladder abnormal Biopsy gingival Biopsy heart Biopsy heart abnormal Biopsy heart normal Biopsy intestine Biopsy intestine abnormal Biopsy intestine normal Biopsy kidney Biopsy kidney abnormal Biopsy kidney normal Biopsy larynx Biopsy larynx abnormal Biopsy lip Biopsy lip abnormal Biopsy liver Biopsy liver abnormal Biopsy liver normal Biopsy lung Biopsy lung abnormal Biopsy lung normal Biopsy lymph gland Biopsy lymph gland abnormal Biopsy lymph gland normal Biopsy mucosa abnormal Biopsy muscle Biopsy muscle abnormal Biopsy muscle normal Biopsy nasopharynx Biopsy nasopharynx abnormal Biopsy oesophagus Biopsy oesophagus abnormal Biopsy oesophagus normal Biopsy ovary Biopsy ovary abnormal Biopsy palate Biopsy pancreas Biopsy pancreas abnormal Biopsy penis Biopsy pericardium Biopsy pericardium abnormal Biopsy peripheral nerve Biopsy peripheral nerve abnormal Biopsy peripheral nerve normal Biopsy peritoneum Biopsy pharynx Biopsy pharynx abnormal Biopsy pharynx normal Biopsy placenta Biopsy pleura Biopsy pleura abnormal Biopsy pleura normal Biopsy prostate Biopsy prostate abnormal Biopsy prostate normal Biopsy rectum Biopsy rectum abnormal Biopsy rectum normal Biopsy retina abnormal Biopsy salivary gland Biopsy salivary gland abnormal Biopsy salivary gland normal Biopsy sclera abnormal Biopsy site unspecified abnormal Biopsy site unspecified normal Biopsy skin Biopsy skin abnormal Biopsy skin normal Biopsy small intestine Biopsy small intestine abnormal Biopsy small intestine normal Biopsy soft tissue Biopsy spinal cord Biopsy spinal cord abnormal Biopsy spinal cord normal Biopsy spleen Biopsy spleen abnormal Biopsy stomach Biopsy stomach abnormal Biopsy stomach normal Biopsy tendon Biopsy tendon abnormal Biopsy testes Biopsy testes abnormal Biopsy thymus gland abnormal Biopsy thyroid gland Biopsy thyroid gland abnormal Biopsy thyroid gland normal Biopsy tongue Biopsy tongue abnormal Biopsy tonsil Biopsy trachea Biopsy trachea abnormal Biopsy urethra normal Biopsy uterus Biopsy uterus abnormal Biopsy uterus normal Biopsy vagina Biopsy vagina abnormal Biopsy vagina normal Biopsy vocal cord abnormal Biopsy vulva abnormal Biopsy vulva normal Biotin deficiency Biphasic mesothelioma Bipolar I disorder Bipolar II disorder Bipolar disorder Birdshot chorioretinopathy Birth mark Birth trauma Birth weight normal Bisalbuminaemia Bite Bladder cancer Bladder cancer recurrent Bladder cancer stage IV Bladder catheter permanent Bladder catheter removal Bladder catheter replacement Bladder catheter temporary Bladder catheterisation Bladder cyst Bladder dilatation Bladder discomfort Bladder disorder Bladder diverticulum Bladder dysfunction Bladder fibrosis Bladder hydrodistension Bladder hypertrophy Bladder injury Bladder instillation procedure Bladder irrigation Bladder irritation Bladder mass Bladder neck obstruction Bladder neck operation Bladder neoplasm Bladder neoplasm surgery Bladder obstruction Bladder operation Bladder outlet obstruction Bladder pain Bladder perforation Bladder prolapse Bladder scan Bladder spasm Bladder sphincter atony Bladder sphincterectomy Bladder squamous cell carcinoma stage unspecified Bladder stenosis Bladder tamponade Bladder trabeculation Bladder transitional cell carcinoma Bladder transitional cell carcinoma stage IV Bladder tumour antigen Bladder ulcer Bladder wall calcification Blast cell count increased Blast cell crisis Blast cell proliferation Blast cells Blast cells absent Blast cells present Blast crisis in myelogenous leukaemia Blastic plasmacytoid dendritic cell neoplasia Blastic plasmacytoid dendritric cell neoplasia Blastocystis infection Blastocystis test Blastomycosis Bleeding anovulatory Bleeding peripartum Bleeding time Bleeding time abnormal Bleeding time normal Bleeding time prolonged Bleeding time shortened Bleeding varicose vein Blepharal papilloma Blepharal pigmentation Blepharitis Blepharitis allergic Blepharochalasis Blepharospasm Blighted ovum Blindness Blindness congenital Blindness cortical Blindness hysterical Blindness transient Blindness traumatic Blindness unilateral Blister Blister infected Blister rupture Bloch-Sulzberger syndrome Block vertebra Blood 1,25-dihydroxycholecalciferol Blood 1,25-dihydroxycholecalciferol decreased Blood 1,25-dihydroxycholecalciferol increased Blood 25-hydroxycholecalciferol Blood 25-hydroxycholecalciferol decreased Blood 25-hydroxycholecalciferol increased Blood HIV RNA Blood HIV RNA below assay limit Blood HIV RNA decreased Blood HIV RNA increased Blood acid phosphatase Blood acid phosphatase increased Blood acid phosphatase normal Blood albumin Blood albumin abnormal Blood albumin decreased Blood albumin increased Blood albumin normal Blood alcohol Blood alcohol abnormal Blood alcohol increased Blood alcohol normal Blood aldosterone Blood aldosterone decreased Blood aldosterone increased Blood aldosterone normal Blood alkaline phosphatase Blood alkaline phosphatase abnormal Blood alkaline phosphatase decreased Blood alkaline phosphatase increased Blood alkaline phosphatase normal Blood aluminium Blood aluminium abnormal Blood aluminium increased Blood aluminium normal Blood amylase Blood amylase decreased Blood amylase increased Blood amylase normal Blood androstenedione Blood androstenedione increased Blood antidiuretic hormone Blood antidiuretic hormone abnormal Blood antidiuretic hormone increased Blood antidiuretic hormone normal Blood antimony Blood antimony increased Blood arsenic increased Blood arsenic normal Blood bactericidal activity Blood beryllium Blood beryllium increased Blood beta-D-glucan Blood beta-D-glucan abnormal Blood beta-D-glucan increased Blood beta-D-glucan negative Blood beta-D-glucan normal Blood beta-D-glucan positive Blood bicarbonate Blood bicarbonate abnormal Blood bicarbonate decreased Blood bicarbonate increased Blood bicarbonate normal Blood bilirubin Blood bilirubin abnormal Blood bilirubin decreased Blood bilirubin increased Blood bilirubin normal Blood bilirubin unconjugated Blood bilirubin unconjugated decreased Blood bilirubin unconjugated increased Blood bilirubin unconjugated normal Blood blister Blood brain barrier defect Blood bromide Blood cadmium Blood cadmium increased Blood caffeine Blood caffeine decreased Blood caffeine increased Blood calcitonin Blood calcitonin increased Blood calcitonin normal Blood calcium Blood calcium abnormal Blood calcium decreased Blood calcium increased Blood calcium normal Blood cannabinoids Blood cannabinoids decreased Blood cannabinoids increased Blood cannabinoids normal Blood carbon monoxide Blood carbon monoxide increased Blood carbon monoxide normal Blood catecholamines Blood catecholamines decreased Blood catecholamines increased Blood catecholamines normal Blood chloride Blood chloride abnormal Blood chloride decreased Blood chloride increased Blood chloride normal Blood cholesterol Blood cholesterol abnormal Blood cholesterol decreased Blood cholesterol increased Blood cholesterol normal Blood cholinesterase Blood cholinesterase decreased Blood cholinesterase increased Blood cholinesterase normal Blood chromium Blood chromium decreased Blood chromium increased Blood chromium normal Blood chromogranin A Blood chromogranin A increased Blood citric acid decreased Blood copper Blood copper decreased Blood copper increased Blood copper normal Blood corticosterone Blood corticotrophin Blood corticotrophin abnormal Blood corticotrophin decreased Blood corticotrophin increased Blood corticotrophin normal Blood cortisol Blood cortisol abnormal Blood cortisol decreased Blood cortisol increased Blood cortisol normal Blood count Blood count abnormal Blood count normal Blood creatine Blood creatine abnormal Blood creatine decreased Blood creatine increased Blood creatine normal Blood creatine phosphokinase Blood creatine phosphokinase BB Blood creatine phosphokinase MB Blood creatine phosphokinase MB abnormal Blood creatine phosphokinase MB decreased Blood creatine phosphokinase MB increased Blood creatine phosphokinase MB normal Blood creatine phosphokinase MM Blood creatine phosphokinase MM decreased Blood creatine phosphokinase MM increased Blood creatine phosphokinase MM normal Blood creatine phosphokinase abnormal Blood creatine phosphokinase decreased Blood creatine phosphokinase increased Blood creatine phosphokinase normal Blood creatinine Blood creatinine abnormal Blood creatinine decreased Blood creatinine increased Blood creatinine normal Blood culture Blood culture negative Blood culture positive Blood cyanide Blood cytokine test Blood disorder Blood donation Blood donor Blood elastase Blood elastase decreased Blood elastase increased Blood electrolytes Blood electrolytes abnormal Blood electrolytes decreased Blood electrolytes increased Blood electrolytes normal Blood erythropoietin Blood erythropoietin decreased Blood erythropoietin increased Blood erythropoietin normal Blood ethanal increased Blood ethanol Blood ethanol increased Blood ethanol normal Blood fibrinogen Blood fibrinogen abnormal Blood fibrinogen decreased Blood fibrinogen increased Blood fibrinogen normal Blood folate Blood folate abnormal Blood folate decreased Blood folate increased Blood folate normal Blood follicle stimulating hormone Blood follicle stimulating hormone abnormal Blood follicle stimulating hormone decreased Blood follicle stimulating hormone increased Blood follicle stimulating hormone normal Blood galactose Blood gases Blood gases abnormal Blood gases normal Blood gastrin Blood gastrin decreased Blood glucagon Blood glucagon decreased Blood glucagon increased Blood glucagon normal Blood glucose Blood glucose abnormal Blood glucose decreased Blood glucose fluctuation Blood glucose increased Blood glucose normal Blood gonadotrophin Blood gonadotrophin decreased Blood gonadotrophin increased Blood gonadotrophin normal Blood group A Blood group B Blood group O Blood grouping Blood growth hormone Blood growth hormone decreased Blood heavy metal abnormal Blood heavy metal increased Blood heavy metal normal Blood heavy metal test Blood homocysteine Blood homocysteine abnormal Blood homocysteine decreased Blood homocysteine increased Blood homocysteine normal Blood human chorionic gonadotropin Blood human chorionic gonadotropin abnormal Blood human chorionic gonadotropin decreased Blood human chorionic gonadotropin increased Blood human chorionic gonadotropin negative Blood human chorionic gonadotropin normal Blood human chorionic gonadotropin positive Blood hyposmosis Blood immunoglobulin A Blood immunoglobulin A abnormal Blood immunoglobulin A decreased Blood immunoglobulin A increased Blood immunoglobulin A normal Blood immunoglobulin D Blood immunoglobulin E Blood immunoglobulin E decreased Blood immunoglobulin E increased Blood immunoglobulin E normal Blood immunoglobulin G Blood immunoglobulin G abnormal Blood immunoglobulin G decreased Blood immunoglobulin G increased Blood immunoglobulin G normal Blood immunoglobulin M Blood immunoglobulin M abnormal Blood immunoglobulin M decreased Blood immunoglobulin M increased Blood immunoglobulin M normal Blood incompatibility haemolytic anaemia of newborn Blood insulin Blood insulin abnormal Blood insulin decreased Blood insulin increased Blood insulin normal Blood iron Blood iron abnormal Blood iron decreased Blood iron increased Blood iron normal Blood isotope clearance Blood ketone body Blood ketone body absent Blood ketone body decreased Blood ketone body increased Blood ketone body present Blood lactate dehydrogenase Blood lactate dehydrogenase abnormal Blood lactate dehydrogenase decreased Blood lactate dehydrogenase increased Blood lactate dehydrogenase normal Blood lactic acid Blood lactic acid abnormal Blood lactic acid decreased Blood lactic acid increased Blood lactic acid normal Blood lead Blood lead abnormal Blood lead increased Blood lead normal Blood loss anaemia Blood loss assessment Blood luteinising hormone Blood luteinising hormone abnormal Blood luteinising hormone decreased Blood luteinising hormone increased Blood luteinising hormone normal Blood magnesium Blood magnesium abnormal Blood magnesium decreased Blood magnesium increased Blood magnesium normal Blood mercury Blood mercury abnormal Blood mercury normal Blood methaemoglobin Blood methaemoglobin present Blood methanol Blood oestrogen Blood oestrogen abnormal Blood oestrogen decreased Blood oestrogen increased Blood oestrogen normal Blood osmolarity Blood osmolarity abnormal Blood osmolarity decreased Blood osmolarity increased Blood osmolarity normal Blood pH Blood pH abnormal Blood pH decreased Blood pH increased Blood pH normal Blood parathyroid hormone Blood parathyroid hormone abnormal Blood parathyroid hormone decreased Blood parathyroid hormone increased Blood parathyroid hormone normal Blood phosphorus Blood phosphorus abnormal Blood phosphorus decreased Blood phosphorus increased Blood phosphorus normal Blood potassium Blood potassium abnormal Blood potassium decreased Blood potassium increased Blood potassium normal Blood pressure Blood pressure abnormal Blood pressure ambulatory Blood pressure ambulatory abnormal Blood pressure ambulatory decreased Blood pressure ambulatory increased Blood pressure ambulatory normal Blood pressure decreased Blood pressure diastolic Blood pressure diastolic abnormal Blood pressure diastolic decreased Blood pressure diastolic increased Blood pressure difference of extremities Blood pressure fluctuation Blood pressure immeasurable Blood pressure inadequately controlled Blood pressure increased Blood pressure management Blood pressure measurement Blood pressure normal Blood pressure orthostatic Blood pressure orthostatic abnormal Blood pressure orthostatic decreased Blood pressure orthostatic increased Blood pressure orthostatic normal Blood pressure systolic Blood pressure systolic abnormal Blood pressure systolic decreased Blood pressure systolic increased Blood pressure systolic inspiratory decreased Blood pressure systolic normal Blood product transfusion Blood product transfusion dependent Blood proinsulin decreased Blood prolactin Blood prolactin abnormal Blood prolactin decreased Blood prolactin increased Blood prolactin normal Blood pyruvic acid Blood pyruvic acid increased Blood pyruvic acid normal Blood selenium Blood selenium decreased Blood selenium normal Blood smear test Blood smear test abnormal Blood smear test normal Blood sodium Blood sodium abnormal Blood sodium decreased Blood sodium increased Blood sodium normal Blood stem cell transplant failure Blood test Blood test abnormal Blood test normal Blood testosterone Blood testosterone abnormal Blood testosterone decreased Blood testosterone free Blood testosterone free increased Blood testosterone increased Blood testosterone normal Blood thrombin Blood thrombin increased Blood thromboplastin Blood thromboplastin abnormal Blood thromboplastin decreased Blood thromboplastin increased Blood thromboplastin normal Blood thyroid stimulating hormone Blood thyroid stimulating hormone abnormal Blood thyroid stimulating hormone decreased Blood thyroid stimulating hormone increased Blood thyroid stimulating hormone normal Blood triglycerides Blood triglycerides abnormal Blood triglycerides decreased Blood triglycerides increased Blood triglycerides normal Blood trypsin Blood urea Blood urea abnormal Blood urea decreased Blood urea increased Blood urea nitrogen/creatinine ratio Blood urea nitrogen/creatinine ratio decreased Blood urea nitrogen/creatinine ratio increased Blood urea normal Blood uric acid Blood uric acid abnormal Blood uric acid decreased Blood uric acid increased Blood uric acid normal Blood urine Blood urine absent Blood urine present Blood viscosity abnormal Blood viscosity decreased Blood viscosity increased Blood volume expansion Blood zinc Blood zinc abnormal Blood zinc decreased Blood zinc increased Blood zinc normal Bloody airway discharge Bloody discharge Blue toe syndrome Blunted affect Body dysmorphic disorder Body fat disorder Body fluid analysis Body height Body height abnormal Body height below normal Body height decreased Body height increased Body height normal Body mass index Body mass index abnormal Body mass index decreased Body mass index increased Body mass index normal Body surface area Body temperature Body temperature abnormal Body temperature decreased Body temperature fluctuation Body temperature increased Body temperature normal Body tinea Bone abscess Bone anchored hearing aid implantation Bone atrophy Bone cancer Bone cancer metastatic Bone contusion Bone cyst Bone debridement Bone decalcification Bone deformity Bone demineralisation Bone densitometry Bone density abnormal Bone density decreased Bone density increased Bone development abnormal Bone disorder Bone erosion Bone fissure Bone formation increased Bone formation test Bone fragmentation Bone giant cell tumour Bone giant cell tumour malignant Bone graft Bone graft removal Bone hypertrophy Bone infarction Bone lesion Bone loss Bone marrow depression Bone marrow disorder Bone marrow failure Bone marrow granuloma Bone marrow harvest Bone marrow infiltration Bone marrow ischaemia Bone marrow myelogram Bone marrow myelogram abnormal Bone marrow myelogram normal Bone marrow oedema Bone marrow oedema syndrome Bone marrow reticulin fibrosis Bone marrow transplant Bone marrow tumour cell infiltration Bone metabolism disorder Bone neoplasm Bone neoplasm malignant Bone operation Bone pain Bone resorption test Bone sarcoma Bone scan Bone scan abnormal Bone scan normal Bone swelling Bone tuberculosis Booster dose missed Borderline glaucoma Borderline ovarian tumour Borderline personality disorder Bordetella infection Bordetella test Bordetella test negative Bordetella test positive Boredom Borrelia burgdorferi serology Borrelia burgdorferi serology negative Borrelia burgdorferi serology positive Borrelia infection Borrelia test Borrelia test negative Borrelia test positive Bottle feeding Botulinum toxin injection Botulism Boutonneuse fever Bovine tuberculosis Bowel movement irregularity Bowel obstruction surgery Bowel preparation Bowel sounds abnormal Bowen's disease Brachial artery entrapment syndrome Brachial plexopathy Brachial plexus injury Brachial pulse Brachial pulse decreased Brachial pulse increased Brachial pulse normal Brachiocephalic artery occlusion Brachiocephalic artery stenosis Brachiocephalic vein thrombosis Brachioradial pruritus Brachydactyly Brachyolmia Brachytherapy Bradyarrhythmia Bradycardia Bradycardia foetal Bradycardia neonatal Bradykinesia Bradyphrenia Bradypnoea Brain abscess Brain cancer metastatic Brain compression Brain contusion Brain damage Brain death Brain empyema Brain fog Brain herniation Brain hypoxia Brain injury Brain lobectomy Brain malformation Brain mass Brain midline shift Brain natriuretic peptide Brain natriuretic peptide abnormal Brain natriuretic peptide decreased Brain natriuretic peptide increased Brain natriuretic peptide normal Brain neoplasm Brain neoplasm benign Brain neoplasm malignant Brain oedema Brain operation Brain scan abnormal Brain scan normal Brain stem auditory evoked response Brain stem auditory evoked response abnormal Brain stem auditory evoked response normal Brain stem embolism Brain stem glioma Brain stem haematoma Brain stem haemorrhage Brain stem infarction Brain stem ischaemia Brain stem microhaemorrhage Brain stem stroke Brain stem syndrome Brain stem thrombosis Brain stent insertion Brain tumour operation Branchial cyst Breakthrough COVID-19 Breakthrough haemolysis Breakthrough pain Breast abscess Breast adenoma Breast angiosarcoma Breast atrophy Breast calcifications Breast cancer Breast cancer female Breast cancer in situ Breast cancer male Breast cancer metastatic Breast cancer recurrent Breast cancer stage I Breast cancer stage II Breast cancer stage III Breast cancer stage IV Breast cellulitis Breast conserving surgery Breast cyst Breast cyst drainage Breast cyst rupture Breast discharge Breast discharge infected Breast discolouration Breast discomfort Breast disorder Breast disorder female Breast disorder male Breast dysplasia Breast engorgement Breast enlargement Breast feeding Breast fibrosis Breast haematoma Breast haemorrhage Breast hyperplasia Breast implant palpable Breast induration Breast infection Breast inflammation Breast injury Breast malformation Breast mass Breast microcalcification Breast milk discolouration Breast milk substitute intolerance Breast necrosis Breast neoplasm Breast oedema Breast operation Breast pain Breast proliferative changes Breast prosthesis implantation Breast prosthesis removal Breast prosthesis user Breast reconstruction Breast sarcoma Breast scan Breast scan abnormal Breast swelling Breast tenderness Breast tumour excision Breast ulceration Breath alcohol test Breath alcohol test positive Breath holding Breath odour Breath sounds Breath sounds abnormal Breath sounds absent Breath sounds normal Breathing-related sleep disorder Breech delivery Breech presentation Brenner tumour Brief psychotic disorder with marked stressors Brief psychotic disorder without marked stressors Brief psychotic disorder, with postpartum onset Brief resolved unexplained event Broad autism phenotype Bromhidrosis Bromosulphthalein test Bromosulphthalein test abnormal Bronchial aspiration procedure Bronchial atresia Bronchial carcinoma Bronchial disorder Bronchial dysplasia Bronchial fistula Bronchial haemorrhage Bronchial hyperreactivity Bronchial injury Bronchial irritation Bronchial neoplasm Bronchial obstruction Bronchial oedema Bronchial secretion retention Bronchial wall thickening Bronchiectasis Bronchiolitis Bronchiolitis obliterans syndrome Bronchitis Bronchitis acute Bronchitis bacterial Bronchitis chronic Bronchitis pneumococcal Bronchitis viral Bronchoalveolar lavage Bronchoalveolar lavage abnormal Bronchoalveolar lavage normal Bronchogenic cyst Bronchogram Bronchogram abnormal Bronchomalacia Bronchopleural fistula Bronchopneumonia Bronchopneumopathy Bronchopulmonary aspergillosis Bronchopulmonary aspergillosis allergic Bronchopulmonary disease Bronchopulmonary dysplasia Bronchoscopy Bronchoscopy abnormal Bronchoscopy normal Bronchospasm Bronchostenosis Brow ptosis Brown-Sequard syndrome Brucella serology negative Brucella serology positive Brucella test Brucella test negative Brucella test positive Brucellosis Brudzinski's sign Brugada syndrome Bruxism Buccal mucosal roughening Buccoglossal syndrome Budd-Chiari syndrome Bulbar palsy Bulimia nervosa Bullous erysipelas Bullous haemorrhagic dermatosis Bullous impetigo Bundle branch block Bundle branch block bilateral Bundle branch block left Bundle branch block right Bunion Bunion operation Buried penis syndrome Burkholderia cepacia complex infection Burkholderia test positive Burkitt's lymphoma Burkitt's lymphoma stage I Burkitt's lymphoma stage IV Burn dressing Burn oesophageal Burn of internal organs Burn oral cavity Burning feet syndrome Burning mouth syndrome Burning sensation Burning sensation mucosal Burnout syndrome Burns first degree Burns second degree Burns third degree Bursa calcification Bursa disorder Bursa injury Bursa removal Bursal fluid accumulation Bursal haematoma Bursitis Bursitis infective Butterfly rash Buttock crushing Buttock injury C-kit gene mutation C-kit gene status assay C-reactive protein C-reactive protein abnormal C-reactive protein decreased C-reactive protein increased C-reactive protein normal C-telopeptide C1 esterase inhibitor decreased C1 esterase inhibitor test C1 esterase inhibitor test normal C1q nephropathy C3 glomerulopathy CALR gene mutation CD19 antigen loss CD19 lymphocyte count abnormal CD19 lymphocytes increased CD20 antigen positive CD25 antigen positive CD30 expression CD4 lymphocyte percentage decreased CD4 lymphocyte percentage increased CD4 lymphocytes CD4 lymphocytes abnormal CD4 lymphocytes decreased CD4 lymphocytes increased CD4 lymphocytes normal CD4/CD8 ratio CD4/CD8 ratio decreased CD4/CD8 ratio increased CD45 expression decreased CD8 lymphocyte percentage decreased CD8 lymphocytes CD8 lymphocytes abnormal CD8 lymphocytes decreased CD8 lymphocytes increased CDKL5 deficiency disorder CFTR gene mutation CHA2DS2-VASc annual stroke risk high CHA2DS2-VASc-score CHARGE syndrome CHILD syndrome CNS ventriculitis COPD assessment test COVID-19 COVID-19 immunisation COVID-19 pneumonia COVID-19 screening COVID-19 treatment CREST syndrome CSF bacteria identified CSF bacteria no organisms observed CSF cell count CSF cell count abnormal CSF cell count decreased CSF cell count increased CSF cell count normal CSF chloride decreased CSF culture CSF culture negative CSF culture positive CSF electrophoresis CSF electrophoresis abnormal CSF electrophoresis normal CSF eosinophil count CSF glucose CSF glucose abnormal CSF glucose decreased CSF glucose increased CSF glucose normal CSF granulocyte count CSF granulocyte count abnormal CSF granulocyte count normal CSF immunoglobulin CSF immunoglobulin G index CSF immunoglobulin decreased CSF immunoglobulin increased CSF lactate CSF lactate abnormal CSF lactate decreased CSF lactate dehydrogenase CSF lactate dehydrogenase increased CSF lactate dehydrogenase normal CSF lactate increased CSF lactate normal CSF leukocyte/erythrocyte ratio CSF lymphocyte count CSF lymphocyte count abnormal CSF lymphocyte count increased CSF lymphocyte count normal CSF measles antibody negative CSF measles antibody positive CSF monocyte count CSF monocyte count decreased CSF monocyte count increased CSF monocyte count negative CSF mononuclear cell count decreased CSF mononuclear cell count increased CSF myelin basic protein CSF myelin basic protein abnormal CSF myelin basic protein increased CSF myelin basic protein normal CSF neutrophil count CSF neutrophil count decreased CSF neutrophil count increased CSF neutrophil count negative CSF neutrophil count positive CSF oligoclonal band CSF oligoclonal band absent CSF oligoclonal band present CSF pH CSF pH increased CSF pH normal CSF polymorphonuclear cell count decreased CSF polymorphonuclear cell count increased CSF pressure CSF pressure abnormal CSF pressure decreased CSF pressure increased CSF pressure normal CSF protein CSF protein abnormal CSF protein decreased CSF protein increased CSF protein normal CSF red blood cell count CSF red blood cell count positive CSF shunt operation CSF test CSF test abnormal CSF test normal CSF virus identified CSF virus no organisms observed CSF volume CSF volume decreased CSF volume increased CSF white blood cell count CSF white blood cell count decreased CSF white blood cell count increased CSF white blood cell count negative CSF white blood cell count positive CSF white blood cell differential CT hypotension complex CTLA4 deficiency CYP2C19 gene status assay CYP2C19 polymorphism Cachexia Caecectomy Caecopexy Caecum operation Caesarean section Cafe au lait spots Caffeine allergy Caffeine consumption Calcific deposits removal Calcification of muscle Calcinosis Calciphylaxis Calcitonin stimulation test Calcium deficiency Calcium embolism Calcium ionised Calcium ionised abnormal Calcium ionised decreased Calcium ionised increased Calcium ionised normal Calcium metabolism disorder Calcium phosphate product Calculus bladder Calculus ureteric Calculus urethral Calculus urinary Calicivirus test positive Calyceal diverticulum Camptocormia Campylobacter colitis Campylobacter gastroenteritis Campylobacter infection Campylobacter test Campylobacter test positive Canalith repositioning procedure Cancer fatigue Cancer gene carrier Cancer in remission Cancer pain Cancer screening Cancer staging Cancer surgery Candida infection Candida nappy rash Candida pneumonia Candida sepsis Candida serology negative Candida test Candida test negative Candida test positive Candidiasis Candiduria Cannabinoid hyperemesis syndrome Canthoplasty Capillaritis Capillary disorder Capillary fragility Capillary fragility abnormal Capillary fragility increased Capillary fragility test Capillary leak syndrome Capillary nail refill test Capillary nail refill test abnormal Capillary permeability Capillary permeability increased Capnocytophaga infection Capnocytophaga sepsis Capnogram Capnogram normal Capsular contracture associated with breast implant Capsular contracture associated with implant Capsule endoscopy Carbohydrate antigen 125 Carbohydrate antigen 125 increased Carbohydrate antigen 125 normal Carbohydrate antigen 15-3 Carbohydrate antigen 15-3 increased Carbohydrate antigen 19-9 Carbohydrate antigen 19-9 increased Carbohydrate antigen 27.29 Carbohydrate antigen 27.29 increased Carbohydrate antigen 72-4 Carbohydrate deficient transferrin test Carbohydrate intolerance Carbohydrate tolerance decreased Carbon dioxide Carbon dioxide abnormal Carbon dioxide combining power decreased Carbon dioxide decreased Carbon dioxide increased Carbon dioxide normal Carbon monoxide diffusing capacity decreased Carbon monoxide poisoning Carbonic anhydrase gene mutation Carbonic anhydrase gene mutation assay Carboxyhaemoglobin Carboxyhaemoglobin decreased Carboxyhaemoglobin increased Carboxyhaemoglobin normal Carbuncle Carcinoembryonic antigen Carcinoembryonic antigen increased Carcinoembryonic antigen normal Carcinogenicity Carcinoid crisis Carcinoid syndrome Carcinoid tumour Carcinoid tumour of the gastrointestinal tract Carcinoid tumour pulmonary Carcinoma in situ Cardiac ablation Cardiac amyloidosis Cardiac aneurysm Cardiac arrest Cardiac arrest neonatal Cardiac assistance device user Cardiac asthma Cardiac autonomic neuropathy Cardiac cirrhosis Cardiac clearance Cardiac complication associated with device Cardiac contractility decreased Cardiac contusion Cardiac death Cardiac device implantation Cardiac device reprogramming Cardiac discomfort Cardiac disorder Cardiac dysfunction Cardiac electrophysiologic study Cardiac electrophysiologic study abnormal Cardiac electrophysiologic study normal Cardiac enzymes Cardiac enzymes increased Cardiac enzymes normal Cardiac failure Cardiac failure acute Cardiac failure chronic Cardiac failure congestive Cardiac failure high output Cardiac fibrillation Cardiac flutter Cardiac function test Cardiac function test abnormal Cardiac function test normal Cardiac granuloma Cardiac herniation Cardiac hypertrophy Cardiac imaging procedure Cardiac imaging procedure abnormal Cardiac imaging procedure normal Cardiac index Cardiac index decreased Cardiac index increased Cardiac infection Cardiac malposition Cardiac massage Cardiac monitoring Cardiac monitoring abnormal Cardiac monitoring normal Cardiac murmur Cardiac murmur functional Cardiac neoplasm unspecified Cardiac neurosis Cardiac operation Cardiac output Cardiac output decreased Cardiac output increased Cardiac pacemaker adjustment Cardiac pacemaker evaluation Cardiac pacemaker insertion Cardiac pacemaker removal Cardiac pacemaker replacement Cardiac perforation Cardiac perfusion defect Cardiac pharmacologic stress test Cardiac procedure complication Cardiac rehabilitation therapy Cardiac resynchronisation therapy Cardiac sarcoidosis Cardiac septal defect Cardiac septal defect repair Cardiac septal defect residual shunt Cardiac septal hypertrophy Cardiac steatosis Cardiac stress test Cardiac stress test abnormal Cardiac stress test normal Cardiac tamponade Cardiac telemetry Cardiac telemetry abnormal Cardiac telemetry normal Cardiac therapeutic procedure Cardiac valve abscess Cardiac valve discolouration Cardiac valve disease Cardiac valve fibroelastoma Cardiac valve prosthesis user Cardiac valve rupture Cardiac valve sclerosis Cardiac valve thickening Cardiac valve vegetation Cardiac vein dissection Cardiac vein perforation Cardiac ventricular disorder Cardiac ventricular scarring Cardiac ventricular thrombosis Cardiac ventriculogram Cardiac ventriculogram abnormal Cardiac ventriculogram left Cardiac ventriculogram left abnormal Cardiac ventriculogram left normal Cardiac ventriculogram normal Cardiac ventriculogram right Cardio-ankle vascular index Cardio-respiratory arrest Cardio-respiratory arrest neonatal Cardio-respiratory distress Cardioactive drug level Cardioactive drug level decreased Cardioactive drug level increased Cardiogenic shock Cardiolipin antibody Cardiolipin antibody negative Cardiolipin antibody positive Cardiomegaly Cardiometabolic syndrome Cardiomyopathy Cardiomyopathy acute Cardiomyopathy alcoholic Cardiomyopathy neonatal Cardioplegia Cardiopulmonary bypass Cardiopulmonary exercise test Cardiopulmonary exercise test abnormal Cardiopulmonary exercise test normal Cardiopulmonary failure Cardiorenal syndrome Cardiospasm Cardiothoracic ratio Cardiothoracic ratio increased Cardiotoxicity Cardiovascular autonomic function test Cardiovascular autonomic function test abnormal Cardiovascular autonomic function test normal Cardiovascular deconditioning Cardiovascular disorder Cardiovascular evaluation Cardiovascular event prophylaxis Cardiovascular examination Cardiovascular examination abnormal Cardiovascular function test Cardiovascular function test abnormal Cardiovascular function test normal Cardiovascular insufficiency Cardiovascular somatic symptom disorder Cardiovascular symptom Cardioversion Carditis Caregiver Carnett's sign positive Carney complex Carnitine Carnitine abnormal Carnitine decreased Carnitine deficiency Carnitine normal Carotid aneurysm rupture Carotid angioplasty Carotid arterial embolus Carotid arteriosclerosis Carotid artery aneurysm Carotid artery bypass Carotid artery disease Carotid artery dissection Carotid artery dolichoectasia Carotid artery occlusion Carotid artery perforation Carotid artery stenosis Carotid artery stent insertion Carotid artery thrombosis Carotid bruit Carotid endarterectomy Carotid intima-media thickness increased Carotid pulse Carotid pulse abnormal Carotid pulse decreased Carotid pulse increased Carotid revascularisation Carotid sinus massage Carotidynia Carpal collapse Carpal tunnel decompression Carpal tunnel syndrome Cartilage atrophy Cartilage development disorder Cartilage hypertrophy Cartilage injury Cartilage neoplasm Cast application Castleman's disease Cat scratch disease Catamenial pneumothorax Cataplexy Cataract Cataract congenital Cataract cortical Cataract diabetic Cataract nuclear Cataract operation Cataract subcapsular Catarrh Catastrophic reaction Catatonia Catecholamine crisis Catecholamines urine Catecholamines urine increased Catecholamines urine normal Catheter culture Catheter culture positive Catheter directed thrombolysis Catheter management Catheter placement Catheter removal Catheter site discharge Catheter site erythema Catheter site haematoma Catheter site haemorrhage Catheter site infection Catheter site injury Catheter site irritation Catheter site pain Catheter site phlebitis Catheter site related reaction Catheter site swelling Catheter site thrombosis Catheter site warmth Catheterisation cardiac Catheterisation cardiac abnormal Catheterisation cardiac normal Catheterisation venous Cauda equina syndrome Cautery to nose Cavernous sinus syndrome Cavernous sinus thrombosis Cell death Cell marker Cell marker decreased Cell marker increased Cell-mediated cytotoxicity Cell-mediated immune deficiency Cells in urine Cellulite Cellulitis Cellulitis of male external genital organ Cellulitis orbital Cellulitis pasteurella Cellulitis pharyngeal Cellulitis staphylococcal Cellulitis streptococcal Central auditory processing disorder Central cord syndrome Central nervous system abscess Central nervous system function test Central nervous system function test abnormal Central nervous system function test normal Central nervous system fungal infection Central nervous system haemorrhage Central nervous system immune reconstitution inflammatory response Central nervous system infection Central nervous system inflammation Central nervous system injury Central nervous system lesion Central nervous system leukaemia Central nervous system lupus Central nervous system lymphoma Central nervous system mass Central nervous system necrosis Central nervous system neoplasm Central nervous system stimulation Central nervous system vasculitis Central nervous system viral infection Central obesity Central pain syndrome Central serous chorioretinopathy Central sleep apnoea syndrome Central venous catheter removal Central venous catheterisation Central venous pressure Central venous pressure abnormal Central venous pressure increased Central venous pressure normal Central vision loss Cephalhaematoma Cephalin flocculation Cephalo-pelvic disproportion Cerebellar artery occlusion Cerebellar artery thrombosis Cerebellar ataxia Cerebellar atrophy Cerebellar cognitive affective syndrome Cerebellar embolism Cerebellar haematoma Cerebellar haemorrhage Cerebellar hypoplasia Cerebellar infarction Cerebellar ischaemia Cerebellar microhaemorrhage Cerebellar stroke Cerebellar syndrome Cerebellar tonsillar ectopia Cerebellar tumour Cerebral amyloid angiopathy Cerebral aneurysm perforation Cerebral arteriosclerosis Cerebral arteriovenous malformation haemorrhagic Cerebral arteritis Cerebral artery embolism Cerebral artery occlusion Cerebral artery perforation Cerebral artery stenosis Cerebral artery stent insertion Cerebral artery thrombosis Cerebral ataxia Cerebral atrophy Cerebral atrophy congenital Cerebral calcification Cerebral capillary telangiectasia Cerebral cavernous malformation Cerebral circulatory failure Cerebral congestion Cerebral cyst Cerebral decompression Cerebral disorder Cerebral dysgenesis Cerebral endovascular aneurysm repair Cerebral fungal infection Cerebral haemangioma Cerebral haematoma Cerebral haemorrhage Cerebral haemorrhage foetal Cerebral haemorrhage neonatal Cerebral haemosiderin deposition Cerebral hygroma Cerebral hyperperfusion syndrome Cerebral hypoperfusion Cerebral infarction Cerebral infarction foetal Cerebral ischaemia Cerebral mass effect Cerebral microangiopathy Cerebral microembolism Cerebral microhaemorrhage Cerebral microinfarction Cerebral palsy Cerebral reperfusion injury Cerebral revascularisation Cerebral salt-wasting syndrome Cerebral septic infarct Cerebral small vessel ischaemic disease Cerebral thrombosis Cerebral vascular occlusion Cerebral vasoconstriction Cerebral vasodilatation Cerebral venous sinus thrombosis Cerebral venous thrombosis Cerebral ventricle collapse Cerebral ventricle dilatation Cerebral ventricular rupture Cerebral ventriculogram Cerebrosclerosis Cerebrospinal fluid circulation disorder Cerebrospinal fluid drainage Cerebrospinal fluid leakage Cerebrospinal fluid retention Cerebrovascular accident Cerebrovascular arteriovenous malformation Cerebrovascular disorder Cerebrovascular insufficiency Cerebrovascular operation Cerebrovascular stenosis Ceruloplasmin Ceruloplasmin decreased Ceruloplasmin increased Ceruloplasmin normal Cerumen impaction Cerumen removal Cervical conisation Cervical cord compression Cervical cyst Cervical diathermy Cervical dilatation Cervical discharge Cervical dysplasia Cervical incompetence Cervical laser therapy Cervical myelopathy Cervical neuritis Cervical plexus lesion Cervical polyp Cervical polypectomy Cervical radiculopathy Cervical root pain Cervical spinal cord paralysis Cervical spinal stenosis Cervical spine flattening Cervical vertebral fracture Cervicectomy Cervicitis Cervicitis human papilloma virus Cervicitis trichomonal Cervicobrachial syndrome Cervicogenic headache Cervicogenic vertigo Cervix cancer metastatic Cervix carcinoma Cervix carcinoma recurrent Cervix carcinoma stage 0 Cervix carcinoma stage I Cervix carcinoma stage II Cervix carcinoma stage III Cervix carcinoma stage IV Cervix cautery Cervix cerclage procedure Cervix disorder Cervix dystocia Cervix enlargement Cervix erythema Cervix haematoma uterine Cervix haemorrhage uterine Cervix inflammation Cervix injury Cervix neoplasm Cervix oedema Cervix operation Cervix tumour excision Cestode infection Chalazion Change in seizure presentation Change in sustained attention Change of bowel habit Chapped lips Charles Bonnet syndrome Checkpoint kinase 2 gene mutation Cheilitis Cheilosis Chelation therapy Chemical burn Chemical burn of oral cavity Chemical burn of skin Chemical burns of eye Chemical eye injury Chemical peel of skin Chemical poisoning Chemocauterisation Chemokine increased Chemokine test Chemotherapy Chemotherapy multiple agents systemic Chemotherapy side effect prophylaxis Chest X-ray Chest X-ray abnormal Chest X-ray normal Chest crushing Chest discomfort Chest expansion decreased Chest injury Chest pain Chest scan Chest scan abnormal Chest tube insertion Chest tube removal Chest wall abscess Chest wall cyst Chest wall haematoma Chest wall mass Chest wall pain Chest wall tumour Cheyne-Stokes respiration Chiari network Chikungunya virus infection Child abuse Child maltreatment syndrome Child-Pugh-Turcotte score Child-Pugh-Turcotte score increased Childhood asthma Childhood depression Childhood disintegrative disorder Chillblains Chills Chimerism Chiropractic Chlamydia identification test Chlamydia identification test negative Chlamydia serology Chlamydia serology negative Chlamydia serology positive Chlamydia test Chlamydia test negative Chlamydia test positive Chlamydial infection Chloasma Chloroma Chloropsia Choking Choking sensation Cholangiocarcinoma Cholangiogram Cholangiogram abnormal Cholangiogram normal Cholangiosarcoma Cholangiostomy Cholangitis Cholangitis acute Cholangitis chronic Cholangitis infective Cholangitis sclerosing Cholecystectomy Cholecystitis Cholecystitis acute Cholecystitis chronic Cholecystitis infective Cholecystocholangitis Cholecystogram intravenous abnormal Cholecystostomy Choledochoenterostomy Choledocholithotomy Cholelithiasis Cholelithotomy Cholelithotripsy Cholera Cholestasis Cholestasis of pregnancy Cholestatic liver injury Cholesteatoma Cholesterosis Cholinergic syndrome Cholinesterase inhibition Choluria Chondritis Chondroblastoma Chondrocalcinosis Chondrocalcinosis pyrophosphate Chondrodermatitis nodularis chronica helicis Chondrodystrophy Chondrolysis Chondroma Chondromalacia Chondromatosis Chondropathy Chondrosarcoma Chondrosis Chordae tendinae rupture Chordee Chorea Choreoathetosis Chorioamnionitis Chorioamniotic separation Chorioretinal atrophy Chorioretinal disorder Chorioretinal folds Chorioretinal scar Chorioretinitis Chorioretinopathy Choroid melanoma Choroid plexus papilloma Choroidal detachment Choroidal effusion Choroidal haemangioma Choroidal haemorrhage Choroidal infarction Choroidal neovascularisation Choroidal rupture Choroiditis Chromatopsia Chromaturia Chromopertubation Chromosomal analysis Chromosomal deletion Chromosome abnormality Chromosome analysis abnormal Chromosome analysis normal Chromosome banding Chromosome banding normal Chronic actinic dermatitis Chronic active Epstein-Barr virus infection Chronic allograft nephropathy Chronic cheek biting Chronic coronary syndrome Chronic cutaneous lupus erythematosus Chronic disease Chronic eosinophilic leukaemia Chronic fatigue syndrome Chronic gastritis Chronic graft versus host disease Chronic graft versus host disease in skin Chronic graft versus host disease oral Chronic granulomatous disease Chronic hepatic failure Chronic hepatitis Chronic hepatitis B Chronic hepatitis C Chronic hyperplastic eosinophilic sinusitis Chronic idiopathic pain syndrome Chronic inflammatory demyelinating polyradiculoneuropathy Chronic inflammatory response syndrome Chronic kidney disease Chronic kidney disease-mineral and bone disorder Chronic left ventricular failure Chronic leukaemia Chronic lymphocytic inflammation with pontine perivascular enhancement responsive to steroids Chronic lymphocytic leukaemia Chronic lymphocytic leukaemia recurrent Chronic lymphocytic leukaemia stage 0 Chronic lymphocytic leukaemia stage 2 Chronic lymphocytic leukaemia transformation Chronic myeloid leukaemia Chronic myeloid leukaemia recurrent Chronic myelomonocytic leukaemia Chronic myocarditis Chronic obstructive pulmonary disease Chronic papillomatous dermatitis Chronic paroxysmal hemicrania Chronic pigmented purpura Chronic recurrent multifocal osteomyelitis Chronic respiratory disease Chronic respiratory failure Chronic rhinosinusitis with nasal polyps Chronic rhinosinusitis without nasal polyps Chronic right ventricular failure Chronic sinusitis Chronic spontaneous urticaria Chronic throat clearing Chronic tonsillitis Chronic villitis of unknown etiology Chronotropic incompetence Chvostek's sign Chylomicron increased Chylomicrons Chylothorax Ciliary body disorder Ciliary ganglionitis Ciliary hyperaemia Ciliary muscle spasm Circadian rhythm sleep disorder Circulating anticoagulant Circulating anticoagulant positive Circulatory collapse Circulatory failure neonatal Circumcision Circumoral oedema Circumoral swelling Circumstance or information capable of leading to device use error Circumstance or information capable of leading to medication error Circumstantiality Cirrhosis alcoholic Cisternogram Citrobacter bacteraemia Citrobacter infection Citrobacter sepsis Citrobacter test positive Clamping of blood vessel Clang associations Claude's syndrome Claudication of jaw muscles Claustrophobia Clavicle fracture Clear cell renal cell carcinoma Cleft lip Cleft lip and palate Cleft lip repair Cleft palate Cleft uvula Clinical death Clinical dementia rating scale Clinical dementia rating scale score abnormal Clinical trial participant Clinically isolated syndrome Clinodactyly Clinomania Clitoral engorgement Cloacal exstrophy Clonal haematopoiesis Clonic convulsion Clonus Closed fracture manipulation Clostridial infection Clostridial sepsis Clostridium colitis Clostridium difficile colitis Clostridium difficile infection Clostridium difficile sepsis Clostridium difficile toxin test Clostridium difficile toxin test positive Clostridium test Clostridium test negative Clostridium test positive Clot retraction Clot retraction normal Clot retraction time shortened Clotting factor transfusion Clubbing Clumsiness Cluster headache Clusterin Coagulation disorder neonatal Coagulation factor Coagulation factor IX level Coagulation factor IX level decreased Coagulation factor IX level normal Coagulation factor V level Coagulation factor V level abnormal Coagulation factor V level decreased Coagulation factor V level increased Coagulation factor V level normal Coagulation factor VII level Coagulation factor VII level decreased Coagulation factor VII level increased Coagulation factor VII level normal Coagulation factor VIII level Coagulation factor VIII level abnormal Coagulation factor VIII level decreased Coagulation factor VIII level increased Coagulation factor VIII level normal Coagulation factor X level Coagulation factor X level normal Coagulation factor XI level Coagulation factor XI level decreased Coagulation factor XI level normal Coagulation factor XII level Coagulation factor XII level increased Coagulation factor XII level normal Coagulation factor XIII level Coagulation factor XIII level decreased Coagulation factor decreased Coagulation factor deficiency Coagulation factor increased Coagulation factor inhibitor assay Coagulation factor level normal Coagulation factor mutation Coagulation test Coagulation test abnormal Coagulation test normal Coagulation time Coagulation time abnormal Coagulation time normal Coagulation time prolonged Coagulation time shortened Coagulopathy Coarctation of the aorta Coating in mouth Coccidioidomycosis Coccydynia Cochlea implant Cochlear injury Cockroach allergy Coeliac artery aneurysm Coeliac artery compression syndrome Coeliac artery occlusion Coeliac artery stenosis Coeliac disease Coeliac plexus block Cogan's syndrome Cognitive disorder Cognitive linguistic deficit Cognitive test Cogwheel rigidity Coinfection Coital bleeding Cold agglutinins Cold agglutinins negative Cold agglutinins positive Cold burn Cold compress therapy Cold dysaesthesia Cold exposure injury Cold shock response Cold sweat Cold type haemolytic anaemia Cold urticaria Cold-stimulus headache Colectomy Colectomy total Colitis Colitis collagenous Colitis ischaemic Colitis microscopic Colitis ulcerative Collagen antigen type IV Collagen disorder Collagen-vascular disease Collapse of lung Collateral circulation Colloid brain cyst Colon adenoma Colon cancer Colon cancer metastatic Colon cancer stage IV Colon gangrene Colon injury Colon neoplasm Colon operation Colon polypectomy Colonic abscess Colonic fistula Colonic haemorrhage Colonic lavage Colonic polyp Colonic stenosis Colonoscopy Colonoscopy abnormal Colonoscopy normal Colony stimulating factor therapy Colorectal adenocarcinoma Colorectal adenoma Colorectal cancer Colorectal cancer metastatic Colorectal cancer stage IV Colorectostomy Colostomy Colostomy closure Colostomy infection Colour blindness Colour blindness acquired Colour vision tests Colour vision tests abnormal Colour vision tests abnormal red-green Colour vision tests normal Colposcopy Colposcopy abnormal Colposcopy normal Columbia suicide severity rating scale Coma Coma acidotic Coma hepatic Coma scale Coma scale abnormal Coma scale normal Combined immunodeficiency Combined pulmonary fibrosis and emphysema Combined tibia-fibula fracture Comminuted fracture Communication disorder Community acquired infection Compartment pressure test Compartment syndrome Compensatory sweating Complement analysis Complement deficiency disease Complement factor Complement factor C1 Complement factor C1 increased Complement factor C2 Complement factor C3 Complement factor C3 decreased Complement factor C3 increased Complement factor C4 Complement factor C4 decreased Complement factor C4 increased Complement factor abnormal Complement factor decreased Complement factor increased Complement factor normal Complement fixation test positive Completed suicide Complex partial seizures Complex regional pain syndrome Complex tic Complicated appendicitis Complicated migraine Complication associated with device Complication of delivery Complication of device insertion Complication of device removal Complication of pregnancy Complications of transplant surgery Complications of transplanted heart Complications of transplanted kidney Complications of transplanted lung Compression fracture Compression garment application Compulsions Compulsive cheek biting Compulsive handwashing Compulsive hoarding Compulsive lip biting Computed tomographic abscessogram Computed tomographic colonography Computed tomographic gastrography Computerised tomogram Computerised tomogram abdomen Computerised tomogram abdomen abnormal Computerised tomogram abdomen normal Computerised tomogram abnormal Computerised tomogram aorta Computerised tomogram breast abnormal Computerised tomogram coronary artery Computerised tomogram coronary artery abnormal Computerised tomogram coronary artery normal Computerised tomogram head Computerised tomogram head abnormal Computerised tomogram head normal Computerised tomogram heart Computerised tomogram heart abnormal Computerised tomogram heart normal Computerised tomogram intestine Computerised tomogram kidney Computerised tomogram kidney abnormal Computerised tomogram kidney normal Computerised tomogram limb Computerised tomogram liver Computerised tomogram liver abnormal Computerised tomogram neck Computerised tomogram normal Computerised tomogram oesophagus abnormal Computerised tomogram of gallbladder Computerised tomogram pancreas Computerised tomogram pancreas abnormal Computerised tomogram pancreas normal Computerised tomogram pelvis Computerised tomogram pelvis abnormal Computerised tomogram spine Computerised tomogram spine abnormal Computerised tomogram spine normal Computerised tomogram thorax Computerised tomogram thorax abnormal Computerised tomogram thorax normal Computerised tomogram venography head Concentric sclerosis Concomitant disease aggravated Concomitant disease progression Concussion Condition aggravated Condom catheter placement Conduct disorder Conduction disorder Conductive deafness Condyloma latum Cone dystrophy Confabulation Confirmed e-cigarette or vaping product use associated lung injury Confluent and reticulate papillomatosis Confusional arousal Confusional state Congenital LUMBAR syndrome Congenital abdominal hernia Congenital absence of bile ducts Congenital absence of cranial vault Congenital adrenal gland hypoplasia Congenital amputation Congenital anomaly Congenital aortic valve incompetence Congenital aplastic anaemia Congenital arterial malformation Congenital aural fistula Congenital bladder anomaly Congenital brain damage Congenital cardiovascular anomaly Congenital central nervous system anomaly Congenital cerebellar agenesis Congenital cerebral cyst Congenital cerebrovascular anomaly Congenital choroid plexus cyst Congenital coagulopathy Congenital coronary artery malformation Congenital cyst Congenital cystic kidney disease Congenital cystic lung Congenital cytomegalovirus infection Congenital dengue disease Congenital diaphragmatic hernia Congenital eye disorder Congenital foot malformation Congenital genital malformation Congenital genitourinary abnormality Congenital great vessel anomaly Congenital haematological disorder Congenital hand malformation Congenital hearing disorder Congenital heart valve disorder Congenital hepatitis B infection Congenital herpes simplex infection Congenital hydrocephalus Congenital hydronephrosis Congenital hypercoagulation Congenital hyperthyroidism Congenital hypothyroidism Congenital inguinal hernia Congenital jaw malformation Congenital joint malformation Congenital laryngeal stridor Congenital megacolon Congenital megaureter Congenital melanocytic naevus Congenital methaemoglobinaemia Congenital midline defect Congenital mitral valve incompetence Congenital multiplex arthrogryposis Congenital musculoskeletal anomaly Congenital musculoskeletal disorder of limbs Congenital musculoskeletal disorder of spine Congenital myasthenic syndrome Congenital myopathy Congenital myopia Congenital naevus Congenital neurological degeneration Congenital neurological disorder Congenital neuropathy Congenital nose malformation Congenital optic nerve anomaly Congenital oral malformation Congenital pneumonia Congenital pulmonary artery anomaly Congenital pulmonary valve disorder Congenital pyelocaliectasis Congenital renal disorder Congenital rubella infection Congenital scoliosis Congenital skin dimples Congenital skin disorder Congenital syphilis Congenital syphilitic osteochondritis Congenital teratoma Congenital thrombocyte disorder Congenital thrombocytopenia Congenital thymus absence Congenital thyroid disorder Congenital tongue anomaly Congenital tracheomalacia Congenital tricuspid valve atresia Congenital tricuspid valve incompetence Congenital umbilical hernia Congenital ureterocele Congenital ureteropelvic junction obstruction Congenital ureterovesical junction anomaly Congenital uterine anomaly Congenital vesicoureteric reflux Congestive cardiomyopathy Congestive hepatopathy Conjoined twins Conjunctival adhesion Conjunctival bleb Conjunctival cyst Conjunctival deposit Conjunctival discolouration Conjunctival disorder Conjunctival erosion Conjunctival follicles Conjunctival granuloma Conjunctival haemorrhage Conjunctival hyperaemia Conjunctival irritation Conjunctival oedema Conjunctival pallor Conjunctival scar Conjunctival staining Conjunctival suffusion Conjunctival telangiectasia Conjunctival ulcer Conjunctival vascular disorder Conjunctivitis Conjunctivitis allergic Conjunctivitis bacterial Conjunctivitis infective Conjunctivitis viral Conjunctivochalasis Connective tissue disorder Connective tissue inflammation Consciousness fluctuating Constipation Constricted affect Contact lens intolerance Contact lens therapy Continuous glucose monitoring Continuous haemodiafiltration Continuous positive airway pressure Contraception Contraceptive cap Contraceptive diaphragm Contraceptive implant Contracted bladder Contraindicated drug administered Contraindicated product administered Contraindicated product prescribed Contraindication to medical treatment Contraindication to vaccination Contrast echocardiogram Contrast media allergy Contrast media deposition Contrast media reaction Contrast-enhanced magnetic resonance venography Contusion Conus medullaris syndrome Convalescent Convalescent plasma transfusion Conversion disorder Convulsion Convulsion in childhood Convulsion neonatal Convulsions local Convulsive threshold lowered Cooling therapy Coombs direct test Coombs direct test negative Coombs direct test positive Coombs indirect test Coombs indirect test negative Coombs indirect test positive Coombs negative haemolytic anaemia Coombs positive haemolytic anaemia Coombs test Coombs test negative Coombs test positive Coordination abnormal Copper deficiency Coprolalia Cor pulmonale Cor pulmonale acute Cor pulmonale chronic Cor triatriatum Cord blood transplant therapy Corneal abrasion Corneal abscess Corneal bleeding Corneal cross linking Corneal decompensation Corneal defect Corneal degeneration Corneal deposits Corneal disorder Corneal dystrophy Corneal endothelial cell loss Corneal endothelial microscopy Corneal endotheliitis Corneal epithelium defect Corneal erosion Corneal exfoliation Corneal graft rejection Corneal infection Corneal infiltrates Corneal irritation Corneal laceration Corneal lesion Corneal light reflex test Corneal light reflex test abnormal Corneal light reflex test normal Corneal neovascularisation Corneal oedema Corneal opacity Corneal operation Corneal pachymetry Corneal perforation Corneal pigmentation Corneal reflex decreased Corneal reflex test Corneal scar Corneal thickening Corneal thinning Corneal transplant Corona virus infection Coronary angioplasty Coronary arterial stent insertion Coronary artery aneurysm Coronary artery atherosclerosis Coronary artery bypass Coronary artery dilatation Coronary artery disease Coronary artery dissection Coronary artery embolism Coronary artery insufficiency Coronary artery occlusion Coronary artery perforation Coronary artery reocclusion Coronary artery restenosis Coronary artery stenosis Coronary artery stent removal Coronary artery surgery Coronary artery thrombosis Coronary bypass thrombosis Coronary ostial stenosis Coronary vascular graft occlusion Coronavirus infection Coronavirus pneumonia Coronavirus test Coronavirus test negative Coronavirus test positive Corrective lens user Corrosive gastritis Cortical dysplasia Cortical laminar necrosis Cortical visual impairment Corticobasal degeneration Corticosteroid binding globulin test Corticotropin-releasing hormone stimulation test Cortisol abnormal Cortisol decreased Cortisol free urine Cortisol free urine decreased Cortisol free urine increased Cortisol free urine normal Cortisol increased Cortisol normal Corynebacterium bacteraemia Corynebacterium infection Corynebacterium test Corynebacterium test negative Corynebacterium test positive Costochondritis Costovertebral angle tenderness Cough Cough challenge test Cough decreased Cough variant asthma Counterfeit drug administered Counterfeit product administered Cow pox Cow's milk intolerance Cows milk free diet Cox-Maze procedure Coxiella test Coxiella test positive Coxsackie myocarditis Coxsackie viral infection Coxsackie virus serology test negative Coxsackie virus test Coxsackie virus test negative Coxsackie virus test positive Cramp-fasciculation syndrome Cranial nerve decompression Cranial nerve disorder Cranial nerve infection Cranial nerve injury Cranial nerve neoplasm benign Cranial nerve palsies multiple Cranial nerve paralysis Craniectomy Craniocerebral injury Craniocervical syndrome Craniofacial deformity Craniofacial fracture Craniofacial injury Craniopharyngioma Cranioplasty Craniosynostosis Craniotomy Creatine urine Creatine urine decreased Creatine urine increased Creatinine renal clearance Creatinine renal clearance abnormal Creatinine renal clearance decreased Creatinine renal clearance increased Creatinine renal clearance normal Creatinine urine Creatinine urine abnormal Creatinine urine decreased Creatinine urine increased Creatinine urine normal Crepitations Creutzfeldt-Jakob disease Cricopharyngeal myotomy Crime Critical illness Crocodile tears syndrome Crohn's disease Cross sensitivity reaction Crossmatch Croup infectious Crown lengthening Crush injury Crush syndrome Crying Cryofibrinogenaemia Cryoglobulinaemia Cryoglobulins Cryoglobulins absent Cryoglobulins present Cryoglobulinuria Cryopyrin associated periodic syndrome Cryotherapy Cryptitis Cryptococcal cutaneous infection Cryptococcal meningoencephalitis Cryptococcosis Cryptococcus antigen Cryptococcus test Cryptococcus test positive Cryptorchism Cryptosporidiosis infection Crystal arthropathy Crystal nephropathy Crystal urine Crystal urine absent Crystal urine present Crystalluria Cubital tunnel syndrome Cullen's sign Culture Culture cervix Culture cervix negative Culture negative Culture positive Culture stool Culture stool negative Culture stool positive Culture throat Culture throat negative Culture throat positive Culture tissue specimen Culture tissue specimen negative Culture tissue specimen positive Culture urine Culture urine negative Culture urine positive Culture wound Culture wound negative Culture wound positive Cupping therapy Cushing's syndrome Cushingoid Cutaneous T-cell lymphoma Cutaneous lupus erythematosus Cutaneous lymphoma Cutaneous mucormycosis Cutaneous sarcoidosis Cutaneous symptom Cutaneous tuberculosis Cutaneous vasculitis Cutibacterium acnes infection Cutibacterium test positive Cutis laxa Cutis verticis gyrata Cyanopsia Cyanosis Cyanosis central Cyanosis neonatal Cyclic citrullinated peptide A increased Cyclic vomiting syndrome Cyclitis Cycloplegia Cycloplegic refraction Cyclothymic disorder Cyst Cyst aspiration Cyst aspiration abnormal Cyst drainage Cyst removal Cyst rupture Cystadenocarcinoma pancreas Cystatin C Cystatin C abnormal Cystatin C increased Cystic fibrosis Cystic fibrosis lung Cystic fibrosis pancreatic Cystic fibrosis related diabetes Cystic lung disease Cystic lymphangioma Cystitis Cystitis bacterial Cystitis escherichia Cystitis glandularis Cystitis haemorrhagic Cystitis interstitial Cystitis klebsiella Cystitis noninfective Cystitis viral Cystitis-like symptom Cystocele Cystogram Cystogram abnormal Cystogram normal Cystoid macular oedema Cystometrogram Cystoscopy Cystoscopy abnormal Cystoscopy normal Cytogenetic abnormality Cytogenetic analysis Cytogenetic analysis abnormal Cytogenetic analysis normal Cytokeratin 18 Cytokeratin 19 Cytokeratin 19 increased Cytokine abnormal Cytokine increased Cytokine release syndrome Cytokine storm Cytokine test Cytology Cytology abnormal Cytology normal Cytolytic hepatitis Cytomegalovirus antibody negative Cytomegalovirus antibody positive Cytomegalovirus antigen Cytomegalovirus chorioretinitis Cytomegalovirus colitis Cytomegalovirus enterocolitis Cytomegalovirus hepatitis Cytomegalovirus immunisation Cytomegalovirus infection Cytomegalovirus infection reactivation Cytomegalovirus mononucleosis Cytomegalovirus oesophagitis Cytomegalovirus pericarditis Cytomegalovirus serology Cytomegalovirus syndrome Cytomegalovirus test Cytomegalovirus test negative Cytomegalovirus test positive Cytomegalovirus viraemia Cytopenia Cytoreductive surgery Cytotoxic lesions of corpus callosum Cytotoxic oedema DNA antibody DNA antibody negative DNA antibody positive DNA test for fragile X Dacryoadenitis acquired Dacryocanaliculitis Dacryocystitis Dacryostenosis acquired Dacryostenosis congenital Dactylitis Dairy intolerance Dandruff Dandy-Walker syndrome Dark circles under eyes Daydreaming Deafness Deafness bilateral Deafness congenital Deafness neurosensory Deafness permanent Deafness transitory Deafness traumatic Deafness unilateral Death Death neonatal Death of companion Death of pet Death of relative Debridement Decapitation Decerebrate posture Decerebration Decidual cast Decompressive craniectomy Decorticate posture Decreased activity Decreased appetite Decreased bronchial secretion Decreased embryo viability Decreased eye contact Decreased gait velocity Decreased immune responsiveness Decreased insulin requirement Decreased interest Decreased nasolabial fold Decreased ventricular afterload Decreased vibratory sense Decubitus ulcer Deep brain stimulation Deep vein thrombosis Deep vein thrombosis postoperative Defaecation disorder Defaecation urgency Defecography Defect conduction intraventricular Defiant behaviour Deficiency anaemia Deficiency of bile secretion Deformity Deformity of orbit Deformity thorax Degenerative aortic valve disease Degenerative bone disease Degenerative mitral valve disease Dehiscence Dehydration Dehydroepiandrosterone decreased Dehydroepiandrosterone increased Dehydroepiandrosterone test Deja vu Delayed delivery Delayed fontanelle closure Delayed graft function Delayed ischaemic neurological deficit Delayed menarche Delayed myelination Delayed puberty Delayed recovery from anaesthesia Delayed sleep phase Delirium Delirium febrile Delirium tremens Delivery Delivery outside health facility Deltaretrovirus test positive Delusion Delusion of grandeur Delusion of parasitosis Delusion of reference Delusion of replacement Delusional disorder, erotomanic type Delusional disorder, persecutory type Delusional disorder, unspecified type Delusional perception Dementia Dementia Alzheimer's type Dementia of the Alzheimer's type, with delirium Dementia of the Alzheimer's type, with depressed mood Dementia with Lewy bodies Demodicidosis Demyelinating polyneuropathy Demyelination Denervation atrophy Dengue fever Dengue haemorrhagic fever Dengue virus test Dengue virus test negative Dengue virus test positive Dennie-Morgan fold Dental alveolar anomaly Dental care Dental caries Dental cleaning Dental cyst Dental discomfort Dental dysaesthesia Dental examination Dental examination abnormal Dental examination normal Dental fistula Dental gangrene Dental implant removal Dental implantation Dental impression procedure Dental leakage Dental necrosis Dental operation Dental paraesthesia Dental plaque Dental pulp disorder Dental restoration failure Dental root perforation Dentofacial functional disorder Denture wearer Deoxypyridinoline urine increased Dependence Dependence on enabling machine or device Dependence on oxygen therapy Dependence on respirator Dependent personality disorder Dependent rubor Depersonalisation Depersonalisation/derealisation disorder Depilation Deposit eye Depressed level of consciousness Depressed mood Depression Depression rating scale score Depression suicidal Depressive delusion Depressive symptom Derailment Derealisation Dermabrasion Dermal cyst Dermal filler injection Dermal filler overcorrection Dermal filler reaction Dermatillomania Dermatitis Dermatitis acneiform Dermatitis allergic Dermatitis artefacta Dermatitis atopic Dermatitis bullous Dermatitis contact Dermatitis diaper Dermatitis exfoliative Dermatitis exfoliative generalised Dermatitis herpetiformis Dermatitis infected Dermatitis psoriasiform Dermatochalasis Dermatofibroma removal Dermatofibrosarcoma Dermatofibrosarcoma protuberans Dermatoglyphic anomaly Dermatologic examination Dermatologic examination abnormal Dermatologic examination normal Dermatomyositis Dermatopathic lymphadenopathy Dermatophagia Dermatophytosis Dermatosis Dermo-hypodermitis Dermographism Dermoid cyst Dermoscopy Desmoid tumour Desmoplastic small round cell tumour Detached Descemet's membrane Detachment of macular retinal pigment epithelium Detachment of retinal pigment epithelium Detoxification Detrusor sphincter dyssynergia Developmental coordination disorder Developmental delay Developmental hip dysplasia Developmental regression Device alarm issue Device breakage Device chemical property issue Device connection issue Device data issue Device defective Device dependence Device deployment issue Device difficult to use Device dislocation Device dispensing error Device electrical finding Device electrical impedance issue Device embolisation Device expulsion Device extrusion Device failure Device fastener issue Device function test Device inappropriate shock delivery Device ineffective shock delivery Device information output issue Device infusion issue Device intolerance Device issue Device leakage Device loosening Device malfunction Device material issue Device material opacification Device occlusion Device operational issue Device pacing issue Device physical property issue Device placement issue Device power source issue Device related bacteraemia Device related infection Device related sepsis Device related thrombosis Device temperature issue Device therapy Device use confusion Device use error Device use issue Dexamethasone suppression test Dexamethasone suppression test positive Dextrocardia DiGeorge's syndrome Diabetes insipidus Diabetes mellitus Diabetes mellitus inadequate control Diabetes mellitus insulin-dependent Diabetes mellitus management Diabetes mellitus non-insulin-dependent Diabetic amyotrophy Diabetic autonomic neuropathy Diabetic cardiomyopathy Diabetic cheiroarthropathy Diabetic coma Diabetic complication Diabetic complication neurological Diabetic diet Diabetic dyslipidaemia Diabetic end stage renal disease Diabetic eye disease Diabetic foetopathy Diabetic foot Diabetic foot infection Diabetic gangrene Diabetic gastroparesis Diabetic gastropathy Diabetic glaucoma Diabetic hyperglycaemic coma Diabetic hyperosmolar coma Diabetic ketoacidosis Diabetic ketoacidotic hyperglycaemic coma Diabetic ketosis Diabetic metabolic decompensation Diabetic mononeuropathy Diabetic nephropathy Diabetic neuropathy Diabetic relative Diabetic retinal oedema Diabetic retinopathy Diabetic ulcer Diabetic vascular disorder Diabetic wound Diagnostic aspiration Diagnostic procedure Dialysis Dialysis device insertion Dialysis disequilibrium syndrome Dialysis efficacy test Dialysis hypotension Dialysis related complication Diaphragm muscle weakness Diaphragmalgia Diaphragmatic disorder Diaphragmatic hernia Diaphragmatic injury Diaphragmatic paralysis Diaphragmatic rupture Diaphragmatic spasm Diarrhoea Diarrhoea haemorrhagic Diarrhoea infectious Diarrhoea neonatal Diastasis recti abdominis Diastema Diastematomyelia Diastolic dysfunction Diastolic hypertension Diastolic hypotension Dientamoeba infection Diet failure Diet noncompliance Diet refusal Dieulafoy's vascular malformation Differential white blood cell count Differential white blood cell count abnormal Differential white blood cell count normal Difficulty in walking Diffuse alopecia Diffuse alveolar damage Diffuse axonal injury Diffuse cutaneous mastocytosis Diffuse idiopathic pulmonary neuroendocrine cell hyperplasia Diffuse idiopathic skeletal hyperostosis Diffuse large B-cell lymphoma Diffuse large B-cell lymphoma recurrent Diffuse large B-cell lymphoma stage II Diffuse large B-cell lymphoma stage IV Diffuse mesangial sclerosis Diffuse panbronchiolitis Diffuse vasculitis Diffusion-weighted brain MRI Diffusion-weighted brain MRI abnormal Diffusion-weighted brain MRI normal Digestive enzyme abnormal Digestive enzyme decreased Digestive enzyme normal Digestive enzyme test Digital pulpitis Digital ulcer Dihydrotestosterone level Dilatation atrial Dilatation intrahepatic duct acquired Dilatation ventricular Dilated cardiomyopathy Dilated pores Diphtheria Diphtheria carrier Diphtheria toxin antibody absent Diplacusis Diplegia Diplopia Direct calorimetry Directional Doppler flow tests Directional Doppler flow tests abnormal Directional Doppler flow tests normal Disability Disability assessment scale Disability assessment scale score decreased Disability assessment scale score increased Disaccharide metabolism disorder Discharge Discogram abnormal Discoloured vomit Discomfort Discontinued product administered Discouragement Disease complication Disease prodromal stage Disease progression Disease recurrence Disease risk factor Disease susceptibility Disinhibition Dislocation of vertebra Disorder of orbit Disorganised speech Disorientation Disruption of the photoreceptor inner segment-outer segment Dissecting coronary artery aneurysm Disseminated Bacillus Calmette-Guerin infection Disseminated cytomegaloviral infection Disseminated intravascular coagulation Disseminated intravascular coagulation in newborn Disseminated tuberculosis Disseminated varicella Disseminated varicella zoster vaccine virus infection Disseminated varicella zoster virus infection Dissociation Dissociative amnesia Dissociative disorder Dissociative fugue Dissociative identity disorder Distal intestinal obstruction syndrome Distractibility Distraction osteogenesis Distributive shock Disturbance in attention Disturbance in sexual arousal Disturbance in social behaviour Disuse syndrome Diuretic therapy Diverticular fistula Diverticular hernia Diverticular perforation Diverticulectomy Diverticulitis Diverticulitis intestinal haemorrhagic Diverticulitis intestinal perforated Diverticulum Diverticulum gastric Diverticulum intestinal Diverticulum intestinal haemorrhagic Diverticulum oesophageal Divorced Dizziness Dizziness exertional Dizziness postural Documented hypersensitivity to administered drug Documented hypersensitivity to administered product Dolichocolon Dolichocolon acquired Donor specific antibody present Dopamine transporter scintigraphy Dopamine transporter scintigraphy abnormal Dorsal ramus syndrome Dose calculation error Double cortex syndrome Double heterozygous sickling disorders Double hit lymphoma Double outlet right ventricle Double stranded DNA antibody Double stranded DNA antibody positive Double ureter Douglas' abscess Drain of cerebral subdural space Drain placement Drain removal Drain site complication Drainage Dreamy state Dressler's syndrome Drooling Drooping shoulder syndrome Drop attacks Dropped head syndrome Drowning Drug abuse Drug abuser Drug administered at inappropriate site Drug administered in wrong device Drug administered to patient of inappropriate age Drug administration error Drug clearance Drug clearance increased Drug dechallenge positive Drug delivery system malfunction Drug dependence Drug dispensed to wrong patient Drug dispensing error Drug dose omission Drug dose omission by device Drug effect decreased Drug effect delayed Drug effect incomplete Drug effect increased Drug effect less than expected Drug effective for unapproved indication Drug eruption Drug exposure before pregnancy Drug exposure during pregnancy Drug exposure via breast milk Drug hypersensitivity Drug ineffective Drug ineffective for unapproved indication Drug interaction Drug intolerance Drug label confusion Drug level Drug level above therapeutic Drug level below therapeutic Drug level decreased Drug level fluctuating Drug level increased Drug level therapeutic Drug metabolising enzyme test abnormal Drug monitoring procedure incorrectly performed Drug monitoring procedure not performed Drug name confusion Drug prescribing error Drug provocation test Drug rash with eosinophilia and systemic symptoms Drug reaction with eosinophilia and systemic symptoms Drug resistance Drug screen Drug screen false positive Drug screen negative Drug screen positive Drug specific antibody Drug specific antibody absent Drug specific antibody present Drug therapy Drug titration error Drug tolerance Drug tolerance decreased Drug tolerance increased Drug toxicity Drug trough level Drug use disorder Drug use for unknown indication Drug withdrawal convulsions Drug withdrawal headache Drug withdrawal maintenance therapy Drug withdrawal syndrome Drug withdrawal syndrome neonatal Drug-device incompatibility Drug-device interaction Drug-disease interaction Drug-genetic interaction Drug-induced liver injury Dry age-related macular degeneration Dry eye Dry gangrene Dry lung syndrome Dry mouth Dry skin Dry skin prophylaxis Dry throat Dry weight evaluation Duane's syndrome Duchenne muscular dystrophy Ductal adenocarcinoma of pancreas Ductus arteriosus premature closure Dumping syndrome Duodenal obstruction Duodenal operation Duodenal perforation Duodenal polyp Duodenal rupture Duodenal stenosis Duodenal ulcer Duodenal ulcer haemorrhage Duodenal ulcer perforation Duodenal ulcer repair Duodenitis Duodenitis haemorrhagic Duodenogastric reflux Duodenostomy Duplicate therapy error Dupuytren's contracture Dupuytren's contracture operation Dural arteriovenous fistula Dural tear Dust allergy Dwarfism Dysacusis Dysaesthesia Dysaesthesia pharynx Dysania Dysarthria Dysbacteriosis Dysbiosis Dyscalculia Dyschezia Dyschromatopsia Dysdiadochokinesis Dysentery Dysfunctional uterine bleeding Dysgeusia Dysglobulinaemia Dysgraphia Dyshidrosis Dyshidrotic eczema Dyskinesia Dyskinesia oesophageal Dyslalia Dyslexia Dyslipidaemia Dysmenorrhoea Dysmetria Dysmetropsia Dysmorphism Dysmyelination Dyspareunia Dyspepsia Dysphagia Dysphasia Dysphemia Dysphonia Dysphonia psychogenic Dysphoria Dysphotopsia Dysplasia Dysplastic naevus Dyspnoea Dyspnoea at rest Dyspnoea exertional Dyspnoea paroxysmal nocturnal Dysponesis Dyspraxia Dysprosody Dyssomnia Dysstasia Dysthymic disorder Dystonia Dystonic tremor Dystrophic calcification Dysuria ECG P wave inverted ECG electrically inactive area ECG signs of myocardial infarction ECG signs of myocardial ischaemia ECG signs of ventricular hypertrophy EGFR gene mutation EGFR status assay Eagle's syndrome Eales' disease Ear abrasion Ear and hearing disorder prophylaxis Ear canal erythema Ear canal injury Ear canal stenosis Ear congestion Ear deformity acquired Ear discomfort Ear disorder Ear haemorrhage Ear infection Ear infection bacterial Ear infection fungal Ear infection staphylococcal Ear infection viral Ear inflammation Ear injury Ear irrigation Ear lobe infection Ear malformation Ear neoplasm Ear odour Ear operation Ear pain Ear piercing Ear pruritus Ear swelling Ear tube insertion Ear, nose and throat disorder Ear, nose and throat examination Ear, nose and throat examination abnormal Ear, nose and throat examination normal Ear, nose and throat infection Early infantile epileptic encephalopathy with burst-suppression Early morning awakening Early onset familial Alzheimer's disease Early repolarisation syndrome Early retirement Early satiety Early sexual debut Eastern Cooperative Oncology Group performance status Eastern Cooperative Oncology Group performance status worsened Eating disorder Eating disorder symptom Ebola disease Ebstein's anomaly Eccentric fixation Ecchymosis Echinococciasis Echo virus infection Echocardiogram Echocardiogram abnormal Echocardiogram normal Echoencephalogram Echoencephalogram normal Echography abnormal Echography normal Echolalia Echopraxia Echovirus test Echovirus test negative Eclampsia Economic problem Ecouvillonage Ecthyma Ectopia cordis Ectopic kidney Ectopic pregnancy Ectopic pregnancy termination Ectopic pregnancy with contraceptive device Ectopic thyroid Ectrodactyly Ectropion Ectropion of cervix Eczema Eczema asteatotic Eczema eyelids Eczema herpeticum Eczema impetiginous Eczema infantile Eczema infected Eczema nummular Eczema vaccinatum Eczema vesicular Eczema weeping Edentulous Educational problem Effusion Egobronchophony Ehlers-Danlos syndrome Ehrlichia serology Ehrlichia test Ehrlichia test positive Ejaculation delayed Ejaculation disorder Ejaculation failure Ejection fraction Ejection fraction abnormal Ejection fraction decreased Ejection fraction normal Elbow deformity Elbow operation Elderly Elective procedure Elective surgery Electric injury Electric shock Electric shock sensation Electrocardiogram Electrocardiogram J wave Electrocardiogram J wave abnormal Electrocardiogram J wave increased Electrocardiogram P wave Electrocardiogram P wave abnormal Electrocardiogram P wave biphasic Electrocardiogram P wave normal Electrocardiogram PQ interval Electrocardiogram PQ interval prolonged Electrocardiogram PR interval Electrocardiogram PR prolongation Electrocardiogram PR segment depression Electrocardiogram PR segment elevation Electrocardiogram PR shortened Electrocardiogram Q wave abnormal Electrocardiogram Q waves Electrocardiogram QRS complex Electrocardiogram QRS complex abnormal Electrocardiogram QRS complex normal Electrocardiogram QRS complex prolonged Electrocardiogram QRS complex shortened Electrocardiogram QT corrected interval prolonged Electrocardiogram QT interval Electrocardiogram QT interval abnormal Electrocardiogram QT interval normal Electrocardiogram QT prolonged Electrocardiogram QT shortened Electrocardiogram R on T phenomenon Electrocardiogram RR interval Electrocardiogram S1-S2-S3 pattern Electrocardiogram ST segment Electrocardiogram ST segment abnormal Electrocardiogram ST segment depression Electrocardiogram ST segment elevation Electrocardiogram ST segment normal Electrocardiogram ST-T change Electrocardiogram ST-T segment abnormal Electrocardiogram ST-T segment depression Electrocardiogram ST-T segment elevation Electrocardiogram T wave abnormal Electrocardiogram T wave amplitude decreased Electrocardiogram T wave amplitude increased Electrocardiogram T wave biphasic Electrocardiogram T wave inversion Electrocardiogram T wave normal Electrocardiogram T wave peaked Electrocardiogram U wave present Electrocardiogram U-wave abnormality Electrocardiogram abnormal Electrocardiogram ambulatory Electrocardiogram ambulatory abnormal Electrocardiogram ambulatory normal Electrocardiogram change Electrocardiogram delta waves abnormal Electrocardiogram low voltage Electrocardiogram normal Electrocardiogram pacemaker spike Electrocardiogram poor R-wave progression Electrocardiogram repolarisation abnormality Electrocauterisation Electrocoagulation Electrocochleogram Electrocochleogram abnormal Electroconvulsive therapy Electrocorticogram Electrocution Electrodesiccation Electroencephalogram Electroencephalogram abnormal Electroencephalogram normal Electrogastrogram Electroglottography Electrolyte depletion Electrolyte imbalance Electrolyte substitution therapy Electromagnetic interference Electromechanical dissociation Electromyogram Electromyogram abnormal Electromyogram normal Electroneurography Electroneuromyography Electronic cigarette user Electronystagmogram Electronystagmogram abnormal Electronystagmogram normal Electrooculogram Electrooculogram normal Electrophoresis Electrophoresis abnormal Electrophoresis normal Electrophoresis protein Electrophoresis protein abnormal Electrophoresis protein normal Elephantiasis Elevated mood Elliptocytosis Elliptocytosis hereditary Elsberg syndrome Embedded device Embolia cutis medicamentosa Embolic cerebellar infarction Embolic cerebral infarction Embolic pneumonia Embolic stroke Embolism Embolism arterial Embolism venous Emergency care Emergency care examination Emergency care examination normal Emetophobia Emotional disorder Emotional disorder of childhood Emotional distress Emotional poverty Emphysema Emphysematous cystitis Emphysematous pyelonephritis Empty sella syndrome Empyema Empyema drainage Enamel anomaly Enanthema Encapsulation reaction Encephalitis Encephalitis Japanese B Encephalitis allergic Encephalitis autoimmune Encephalitis brain stem Encephalitis california Encephalitis cytomegalovirus Encephalitis enteroviral Encephalitis haemorrhagic Encephalitis herpes Encephalitis influenzal Encephalitis lethargica Encephalitis meningococcal Encephalitis mumps Encephalitis post immunisation Encephalitis post measles Encephalitis post varicella Encephalitis rickettsial Encephalitis toxic Encephalitis viral Encephalocele Encephalocele repair Encephalomalacia Encephalomyelitis Encephalomyelitis viral Encephalopathy Encephalopathy allergic Encephalopathy neonatal Enchondromatosis Encopresis End stage renal disease End-tidal CO2 End-tidal CO2 decreased End-tidal CO2 increased Endarterectomy Endobronchial ultrasound Endobronchial ultrasound transbronchial needle aspiration Endobronchial valve implantation Endocardial disease Endocardial fibroelastosis Endocardial fibrosis Endocarditis Endocarditis Q fever Endocarditis bacterial Endocarditis enterococcal Endocarditis fibroplastica Endocarditis histoplasma Endocarditis noninfective Endocarditis rheumatic Endocarditis staphylococcal Endocarditis viral Endocervical curettage Endocervical mucosal thickening Endocrine disorder Endocrine hypertension Endocrine neoplasm malignant Endocrine ophthalmopathy Endocrine system examination Endocrine test Endocrine test abnormal Endocrine test normal Endodontic procedure Endolymphatic hydrops Endometrial ablation Endometrial adenocarcinoma Endometrial atrophy Endometrial cancer Endometrial cancer stage I Endometrial cancer stage II Endometrial cancer stage III Endometrial disorder Endometrial dysplasia Endometrial hyperplasia Endometrial hypertrophy Endometrial hypoplasia Endometrial neoplasm Endometrial scratching Endometrial thickening Endometriosis Endometriosis ablation Endometritis Endometritis decidual Endophthalmitis Endoscopic retrograde cholangiopancreatography Endoscopic retrograde cholangiopancreatography abnormal Endoscopic retrograde cholangiopancreatography normal Endoscopic swallowing evaluation Endoscopic swallowing evaluation abnormal Endoscopic ultrasound Endoscopic ultrasound abnormal Endoscopic ultrasound normal Endoscopy Endoscopy abnormal Endoscopy biliary tract Endoscopy gastrointestinal Endoscopy gastrointestinal abnormal Endoscopy gastrointestinal normal Endoscopy large bowel Endoscopy large bowel abnormal Endoscopy normal Endoscopy small intestine Endoscopy small intestine abnormal Endoscopy small intestine normal Endoscopy upper gastrointestinal tract Endoscopy upper gastrointestinal tract abnormal Endoscopy upper gastrointestinal tract normal Endothelial dysfunction Endothelin Endothelin abnormal Endotoxaemia Endotracheal intubation Endotracheal intubation complication Endovenous ablation Enema administration Energy increased Engraft failure Enlarged cerebral perivascular spaces Enlarged clitoris Enlarged foetal cisterna magna Enlarged uvula Enophthalmos Enostosis Enteral nutrition Enteric duplication Enteric neuropathy Enteritis Enteritis infectious Enteritis necroticans Enterobacter bacteraemia Enterobacter infection Enterobacter pneumonia Enterobacter sepsis Enterobacter test positive Enterobiasis Enteroclysis Enterococcal bacteraemia Enterococcal infection Enterococcal sepsis Enterococcus test Enterococcus test positive Enterocolitis Enterocolitis bacterial Enterocolitis haemorrhagic Enterocolitis infectious Enterocolitis viral Enterocutaneous fistula Enteropathic spondylitis Enteropathy-associated T-cell lymphoma Enterorrhaphy Enterostomy Enterovesical fistula Enterovirus infection Enterovirus myocarditis Enterovirus serology test Enterovirus serology test negative Enterovirus serology test positive Enterovirus test Enterovirus test negative Enterovirus test positive Enthesopathy Enthesophyte Entropion Enuresis Environmental exposure Enzyme abnormality Enzyme activity assay Enzyme activity decreased Enzyme activity normal Enzyme level abnormal Enzyme level increased Enzyme level test Enzyme supplementation Eosinopenia Eosinophil cationic protein Eosinophil cationic protein increased Eosinophil count Eosinophil count abnormal Eosinophil count decreased Eosinophil count increased Eosinophil count normal Eosinophil morphology Eosinophil percentage Eosinophil percentage abnormal Eosinophil percentage decreased Eosinophil percentage increased Eosinophilia Eosinophilia myalgia syndrome Eosinophilic bronchitis Eosinophilic cellulitis Eosinophilic colitis Eosinophilic fasciitis Eosinophilic gastritis Eosinophilic granulomatosis with polyangiitis Eosinophilic myocarditis Eosinophilic oesophagitis Eosinophilic pleural effusion Eosinophilic pneumonia Eosinophilic pneumonia acute Eosinophilic pneumonia chronic Eosinophilic pustular folliculitis Eosinophilic pustulosis Eosinophils urine Eosinophils urine present Ependymoma Ephelides Epicondylitis Epidemic nephropathy Epidemic polyarthritis Epidermal naevus Epidermal naevus syndrome Epidermal necrosis Epidermodysplasia verruciformis Epidermoid cyst excision Epidermolysis Epidermolysis bullosa Epididymal cyst Epididymal disorder Epididymal enlargement Epididymal tenderness Epididymitis Epidural anaesthesia Epidural analgesia Epidural blood patch Epidural catheter placement Epidural haemorrhage Epidural injection Epidural lipomatosis Epidural test dose Epigastric discomfort Epiglottic cancer Epiglottic erythema Epiglottic mass Epiglottic oedema Epiglottis ulcer Epiglottitis Epiglottitis haemophilus Epiglottitis obstructive Epilepsia partialis continua Epilepsy Epilepsy congenital Epilepsy with myoclonic-atonic seizures Epileptic aura Epileptic encephalopathy Epileptic psychosis Epinephrine Epinephrine abnormal Epinephrine decreased Epinephrine increased Epiphyseal disorder Epiphyseal injury Epiphyses delayed fusion Epiphyses premature fusion Epiphysiolysis Epiploic appendagitis Epiretinal membrane Episcleritis Episiotomy Epistaxis Epithelioid mesothelioma Epithelioid sarcoma Epstein Barr virus positive mucocutaneous ulcer Epstein-Barr viraemia Epstein-Barr virus antibody Epstein-Barr virus antibody negative Epstein-Barr virus antibody positive Epstein-Barr virus antigen positive Epstein-Barr virus associated lymphoma Epstein-Barr virus associated lymphoproliferative disorder Epstein-Barr virus infection Epstein-Barr virus infection reactivation Epstein-Barr virus test Epstein-Barr virus test negative Epstein-Barr virus test positive Erb's palsy Erdheim-Chester disease Erectile dysfunction Erection increased Ergot poisoning Ergotherapy Erosive duodenitis Erosive oesophagitis Eructation Erysipelas Erysipeloid Erythema Erythema ab igne Erythema annulare Erythema dyschromicum perstans Erythema elevatum diutinum Erythema induratum Erythema infectiosum Erythema marginatum Erythema migrans Erythema multiforme Erythema nodosum Erythema of eyelid Erythema toxicum neonatorum Erythematotelangiectatic rosacea Erythrasma Erythroblast count Erythroblast count abnormal Erythroblast count normal Erythroblast morphology Erythroblastosis Erythroblastosis foetalis Erythrocyanosis Erythrocyte electrophoretic index increased Erythrocyte osmotic fragility test Erythrodermic atopic dermatitis Erythrodermic psoriasis Erythroid series abnormal Erythromelalgia Erythropenia Erythroplasia Erythropoiesis abnormal Erythropoietin deficiency anaemia Erythropsia Erythrosis Eschar Escherichia bacteraemia Escherichia infection Escherichia pyelonephritis Escherichia sepsis Escherichia test Escherichia test negative Escherichia test positive Escherichia urinary tract infection Essential hypertension Essential thrombocythaemia Essential tremor Ethanol gelation test negative Ethmoid sinus surgery Eubacterium infection Euglycaemic diabetic ketoacidosis Euphoric mood Eustachian tube disorder Eustachian tube dysfunction Eustachian tube obstruction Eustachian tube operation Eustachian tube patulous Euthyroid sick syndrome Evacuation of retained products of conception Evans syndrome Evidence based treatment Ewing's sarcoma Ex vivo gene therapy Ex-alcohol user Ex-drug abuser Ex-tobacco user Exaggerated startle response Exanthema subitum Excessive cerumen production Excessive dietary supplement intake Excessive exercise Excessive eye blinking Excessive granulation tissue Excessive masturbation Excessive ocular convergence Excessive skin Exchange blood transfusion Excitability Excoriation Executive dysfunction Exercise adequate Exercise electrocardiogram Exercise electrocardiogram abnormal Exercise electrocardiogram normal Exercise lack of Exercise test Exercise test abnormal Exercise test normal Exercise tolerance decreased Exercise tolerance increased Exeresis Exertional headache Exfoliation syndrome Exfoliative rash Exhibitionism Exocrine pancreatic function test Exocrine pancreatic function test abnormal Exocrine pancreatic function test normal Exomphalos Exophthalmos Exostosis Exostosis of jaw Expanded disability status scale Expanded disability status scale score decreased Expanded disability status scale score increased Expiratory reserve volume Expired device used Expired drug administered Expired product administered Exploding head syndrome Explorative laparotomy Exploratory operation Exposed bone in jaw Exposure during breast feeding Exposure during pregnancy Exposure keratitis Exposure to SARS-CoV-2 Exposure to allergen Exposure to body fluid Exposure to chemical pollution Exposure to communicable disease Exposure to contaminated air Exposure to contaminated device Exposure to contaminated water Exposure to extreme temperature Exposure to fungus Exposure to mould Exposure to noise Exposure to radiation Exposure to tobacco Exposure to toxic agent Exposure to unspecified agent Exposure to vaccinated person Exposure via blood Exposure via body fluid Exposure via breast milk Exposure via contaminated device Exposure via direct contact Exposure via eye contact Exposure via father Exposure via ingestion Exposure via inhalation Exposure via mucosa Exposure via partner Exposure via skin contact Exposure via transplant Exposure via unknown route Expressive language disorder Expulsion of medication Exsanguination Extensive swelling of vaccinated limb Extensor plantar response External auditory canal atresia External cephalic version External compression headache External ear cellulitis External ear disorder External ear inflammation External ear pain External fixation of fracture External hydrocephalus External vagal nerve stimulation Extra dose administered Extracorporeal membrane oxygenation Extradural abscess Extradural haematoma Extradural neoplasm Extramedullary haemopoiesis Extranodal marginal zone B-cell lymphoma (MALT type) Extraocular muscle disorder Extraocular muscle paresis Extrapulmonary tuberculosis Extrapyramidal disorder Extraskeletal ossification Extrasystoles Extravasation Extravasation blood Extremity contracture Extremity necrosis Extubation Exudative retinopathy Eye abrasion Eye abscess Eye allergy Eye burns Eye colour change Eye complication associated with device Eye contusion Eye degenerative disorder Eye discharge Eye disorder Eye drop instillation Eye excision Eye exercises Eye haemangioma Eye haematoma Eye haemorrhage Eye infarction Eye infection Eye infection bacterial Eye infection chlamydial Eye infection fungal Eye infection intraocular Eye infection staphylococcal Eye infection syphilitic Eye infection toxoplasmal Eye infection viral Eye inflammation Eye injury Eye irrigation Eye irritation Eye laser surgery Eye luxation Eye movement disorder Eye muscle entrapment Eye muscle operation Eye muscle recession Eye naevus Eye oedema Eye opacity Eye operation Eye pH test Eye pain Eye paraesthesia Eye patch application Eye penetration Eye prosthesis insertion Eye pruritus Eye rolling Eye swelling Eye symptom Eye ulcer Eyeball avulsion Eyeglasses therapy Eyelash changes Eyelash discolouration Eyelid abrasion Eyelid bleeding Eyelid boil Eyelid contusion Eyelid cyst Eyelid cyst removal Eyelid disorder Eyelid erosion Eyelid exfoliation Eyelid function disorder Eyelid haematoma Eyelid infection Eyelid injury Eyelid irritation Eyelid margin crusting Eyelid myoclonus Eyelid myokymia Eyelid oedema Eyelid operation Eyelid pain Eyelid ptosis Eyelid ptosis congenital Eyelid rash Eyelid retraction Eyelid scar Eyelid sensory disorder Eyelid skin dryness Eyelid thickening Eyelid tumour Eyelid vascular disorder Eyelids pruritus Eyes sunken FEV1/FVC ratio FEV1/FVC ratio abnormal FEV1/FVC ratio decreased FIP1L1/PDGFR alpha fusion kinase positive FLT3 gene mutation Fabry's disease Face and mouth X-ray Face and mouth X-ray abnormal Face and mouth X-ray normal Face crushing Face injury Face lift Face oedema Face presentation Facet joint block Facet joint syndrome Facetectomy Facial asymmetry Facial bones fracture Facial discomfort Facial dysmorphism Facial myokymia Facial nerve disorder Facial nerve exploration Facial neuralgia Facial operation Facial pain Facial palsy Facial paralysis Facial paresis Facial spasm Facial wasting Faciobrachial dystonic seizure Facioscapulohumeral muscular dystrophy Factitious disorder Factor I deficiency Factor II deficiency Factor II mutation Factor IX deficiency Factor IX inhibition Factor V Leiden carrier Factor V Leiden mutation Factor V deficiency Factor V inhibition Factor VII deficiency Factor VIII activity normal Factor VIII activity test Factor VIII deficiency Factor VIII inhibition Factor X deficiency Factor XI deficiency Factor XII deficiency Factor XIII deficiency Factor Xa activity increased Factor Xa activity test Faecal calprotectin Faecal calprotectin abnormal Faecal calprotectin decreased Faecal calprotectin increased Faecal calprotectin normal Faecal disimpaction Faecal elastase concentration decreased Faecal elastase test Faecal fat increased Faecal fat test Faecal incontinence Faecal lactoferrin increased Faecal volume Faecal volume decreased Faecal volume increased Faecal vomiting Faecalith Faecaloma Faeces discoloured Faeces hard Faeces pale Faeces soft Failed in vitro fertilisation Failed induction of labour Failed trial of labour Failure to suspend medication Failure to thrive Fall Fallopian tube abscess Fallopian tube cancer Fallopian tube cancer metastatic Fallopian tube cancer stage III Fallopian tube cyst Fallopian tube disorder Fallopian tube neoplasm Fallopian tube obstruction Fallopian tube operation Fallopian tube perforation Fallopian tube spasm Fallot's tetralogy False labour False lumen dilatation of aortic dissection False negative investigation result False negative pregnancy test False positive investigation result False positive laboratory result False positive radioisotope investigation result False positive tuberculosis test Familial amyotrophic lateral sclerosis Familial haemophagocytic lymphohistiocytosis Familial hemiplegic migraine Familial mediterranean fever Familial periodic paralysis Familial risk factor Familial tremor Family stress Fascia release Fascial infection Fascial operation Fascial rupture Fasciectomy Fasciitis Fascioliasis Fasciolopsiasis Fasciotomy Fasting Fat embolism Fat intolerance Fat necrosis Fat tissue decreased Fat tissue increased Fatigue Fatty acid deficiency Fatty liver alcoholic Fear Fear of closed spaces Fear of crowded places Fear of death Fear of disease Fear of eating Fear of falling Fear of injection Fear of needles Fear of open spaces Fear of pregnancy Fear of weight gain Fear-related avoidance of activities Febrile bone marrow aplasia Febrile convulsion Febrile infection Febrile infection-related epilepsy syndrome Febrile neutropenia Febrile status epilepticus Feeding disorder Feeding disorder neonatal Feeding disorder of infancy or early childhood Feeding intolerance Feeding tube user Feeling abnormal Feeling cold Feeling drunk Feeling guilty Feeling hot Feeling hot and cold Feeling jittery Feeling of body temperature change Feeling of despair Feeling of relaxation Feelings of worthlessness Female genital organs X-ray Female genital tract fistula Female orgasmic disorder Female reproductive tract disorder Female sex hormone level Female sex hormone level abnormal Female sexual arousal disorder Female sexual dysfunction Female sterilisation Feminisation acquired Femoral anteversion Femoral artery embolism Femoral artery occlusion Femoral hernia Femoral hernia repair Femoral neck fracture Femoral nerve injury Femoral nerve palsy Femoral pulse Femoral pulse decreased Femoroacetabular impingement Femur fracture Fertility increased Fever neonatal Fibrillary glomerulonephritis Fibrin Fibrin D dimer Fibrin D dimer decreased Fibrin D dimer increased Fibrin D dimer normal Fibrin abnormal Fibrin degradation products Fibrin degradation products increased Fibrin degradation products normal Fibrin increased Fibrin normal Fibrinogen degradation products increased Fibrinolysis Fibrinolysis abnormal Fibrinolysis increased Fibrinolysis normal Fibrinous bronchitis Fibroadenoma of breast Fibroblast growth factor 23 Fibroblast growth factor 23 increased Fibrocystic breast disease Fibrodysplasia ossificans progressiva Fibroma Fibromatosis Fibromuscular dysplasia Fibromyalgia Fibronectin Fibronectin decreased Fibronectin increased Fibronectin normal Fibrosarcoma Fibrosis Fibrosis tendinous Fibrous cortical defect Fibrous histiocytoma Fibula fracture Fiducial marker placement Fight in school Fine motor delay Fine motor skill dysfunction Finger amputation Finger deformity Finger licking Finger repair operation Finger tapping test Fingerprint loss Finkelstein test First bite syndrome First trimester pregnancy Fistula Fistula discharge Fistula of small intestine Fistulogram Fixed bowel loop Fixed drug eruption Fixed eruption Flagellate dermatitis Flail chest Flank pain Flashback Flat affect Flat chest Flatback syndrome Flatulence Flavivirus test Flavivirus test negative Flavivirus test positive Flea infestation Flight of ideas Floating patella Flooding Floppy eyelid syndrome Floppy infant Flour sensitivity Flow cytometry Fluctuance Fluid balance assessment Fluid balance negative Fluid balance positive Fluid imbalance Fluid intake reduced Fluid intake restriction Fluid overload Fluid replacement Fluid retention Fluid wave test Fluorescence angiogram Fluorescence angiogram abnormal Fluorescence angiogram normal Fluorescent in situ hybridisation Fluorescent in situ hybridisation negative Fluorescent in situ hybridisation positive Flushing Foaming at mouth Focal dyscognitive seizures Focal myositis Focal nodular hyperplasia Focal peritonitis Focal segmental glomerulosclerosis Foetal activity test Foetal anaemia Foetal arrhythmia Foetal biophysical profile score Foetal biophysical profile score abnormal Foetal biophysical profile score normal Foetal cardiac arrest Foetal cardiac disorder Foetal cerebrovascular disorder Foetal chromosome abnormality Foetal cystic hygroma Foetal damage Foetal death Foetal disorder Foetal distress syndrome Foetal exposure during pregnancy Foetal exposure timing unspecified Foetal gastrointestinal tract imaging abnormal Foetal growth abnormality Foetal growth restriction Foetal growth retardation Foetal haemoglobin Foetal haemoglobin decreased Foetal haemoglobin increased Foetal heart rate Foetal heart rate abnormal Foetal heart rate acceleration abnormality Foetal heart rate deceleration Foetal heart rate deceleration abnormality Foetal heart rate decreased Foetal heart rate disorder Foetal heart rate increased Foetal heart rate indeterminate Foetal heart rate normal Foetal hypokinesia Foetal macrosomia Foetal malformation Foetal malnutrition Foetal malposition Foetal malpresentation Foetal megacystis Foetal monitoring Foetal monitoring abnormal Foetal monitoring normal Foetal movement disorder Foetal movements decreased Foetal non-stress test Foetal non-stress test abnormal Foetal non-stress test normal Foetal placental thrombosis Foetal renal imaging abnormal Foetal renal impairment Foetal therapeutic procedure Foetal vascular malperfusion Foetal warfarin syndrome Foetal weight Foetal-maternal haemorrhage Folate deficiency Follicle centre lymphoma diffuse small cell lymphoma Follicle centre lymphoma, follicular grade I, II, III Follicular cystitis Follicular disorder Follicular eczema Follicular lymphoma Follicular lymphoma stage I Follicular lymphoma stage II Follicular lymphoma stage III Follicular lymphoma stage IV Follicular mucinosis Folliculitis Folliculitis barbae Fontanelle bulging Fontanelle depressed Food allergy Food aversion Food contamination Food craving Food interaction Food intolerance Food poisoning Food protein-induced enterocolitis syndrome Food protein-induced enteropathy Food refusal Foot amputation Foot and mouth disease Foot deformity Foot fracture Foot operation Foot prosthesis user Foramen magnum stenosis Foraminotomy Forced expiratory flow Forced expiratory flow decreased Forced expiratory volume Forced expiratory volume abnormal Forced expiratory volume decreased Forced expiratory volume increased Forced expiratory volume normal Forced vital capacity Forced vital capacity decreased Forced vital capacity increased Forced vital capacity normal Forceps delivery Fordyce spots Forearm fracture Foreign body Foreign body aspiration Foreign body in ear Foreign body in eye Foreign body in gastrointestinal tract Foreign body in mouth Foreign body in respiratory tract Foreign body in skin or subcutaneous tissue Foreign body in throat Foreign body in urogenital tract Foreign body ingestion Foreign body reaction Foreign body sensation in eyes Foreign body trauma Foreign travel Foreskin oedema Formication Foster care Fournier's gangrene Foveal reflex abnormal Fowler's position Fowler's syndrome Fraction of inspired oxygen Fractional excretion of sodium Fractional exhaled nitric oxide Fractional exhaled nitric oxide abnormal Fractional exhaled nitric oxide normal Fractional flow reserve Fracture Fracture blisters Fracture debridement Fracture displacement Fracture pain Fracture reduction Fracture treatment Fractured coccyx Fractured sacrum Fractured skull depressed Fragile X carrier Fragile X syndrome Francisella test Free androgen index Free fatty acids Free fatty acids increased Free haemoglobin Free prostate-specific antigen Free prostate-specific antigen increased Free thyroxine index Free thyroxine index decreased Free thyroxine index increased Free thyroxine index normal Freezing phenomenon Frequent bowel movements Friedreich's ataxia Frontal lobe epilepsy Frontal sinus operation Frontotemporal dementia Frostbite Fructosamine Fructose Fructose intolerance Frustration Frustration tolerance decreased Fuchs' syndrome Fulguration Full blood count Full blood count abnormal Full blood count decreased Full blood count increased Full blood count normal Fulminant type 1 diabetes mellitus Fumbling Functional gastrointestinal disorder Functional residual capacity Functional residual capacity abnormal Functional residual capacity decreased Fundoscopy Fundoscopy abnormal Fundoscopy normal Fundus autofluorescence Fungaemia Fungal DNA test positive Fungal balanitis Fungal disease carrier Fungal endocarditis Fungal foot infection Fungal infection Fungal oesophagitis Fungal peritonitis Fungal pharyngitis Fungal sepsis Fungal skin infection Fungal test Fungal test negative Fungal test positive Fungating wound Fungus culture Fungus culture positive Fungus identification test Fungus serology test negative Fungus urine test negative Funisitis Furuncle Fusobacterium test positive GM2 gangliosidosis Gait apraxia Gait deviation Gait disturbance Gait inability Gait spastic Galactorrhoea Galactosaemia Galactose elimination capacity test normal Galactose intolerance Galactosialidosis Galactostasis Gallbladder adenocarcinoma Gallbladder adenoma Gallbladder cancer Gallbladder cancer metastatic Gallbladder cholesterolosis Gallbladder disorder Gallbladder enlargement Gallbladder hypofunction Gallbladder injury Gallbladder mass Gallbladder necrosis Gallbladder neoplasm Gallbladder non-functioning Gallbladder obstruction Gallbladder oedema Gallbladder operation Gallbladder pain Gallbladder polyp Gallbladder rupture Gallop rhythm present Gambling disorder Gamma interferon therapy Gamma radiation therapy Gamma radiation therapy to brain Gamma-glutamyltransferase Gamma-glutamyltransferase abnormal Gamma-glutamyltransferase decreased Gamma-glutamyltransferase increased Gamma-glutamyltransferase normal Gammopathy Ganglioneuroblastoma Ganglioneuroma Gangrene Gardnerella infection Gardnerella test Gardnerella test negative Gardnerella test positive Gas gangrene Gasping syndrome Gastrectomy Gastric adenoma Gastric antral vascular ectasia Gastric aspiration procedure Gastric atony Gastric banding Gastric bypass Gastric cancer Gastric cancer stage I Gastric cancer stage IV Gastric dilatation Gastric disorder Gastric dysplasia Gastric electrical stimulation Gastric emptying study Gastric fibrosis Gastric fluid analysis Gastric fluid analysis abnormal Gastric haemangioma Gastric haemorrhage Gastric hypermotility Gastric hypertonia Gastric hypomotility Gastric infection Gastric ischaemia Gastric lavage Gastric mucosa erythema Gastric mucosal hypertrophy Gastric mucosal lesion Gastric neoplasm Gastric occult blood positive Gastric operation Gastric pH Gastric pH decreased Gastric pH increased Gastric pacemaker insertion Gastric perforation Gastric polyps Gastric residual increased Gastric stenosis Gastric ulcer Gastric ulcer haemorrhage Gastric ulcer helicobacter Gastric ulcer perforation Gastric ulcer surgery Gastric varices Gastric varices haemorrhage Gastric volvulus Gastrin-releasing peptide precursor Gastritis Gastritis alcoholic Gastritis atrophic Gastritis bacterial Gastritis erosive Gastritis haemorrhagic Gastritis herpes Gastritis hypertrophic Gastritis viral Gastrocardiac syndrome Gastroduodenitis Gastroenteritis Gastroenteritis Escherichia coli Gastroenteritis Norwalk virus Gastroenteritis adenovirus Gastroenteritis astroviral Gastroenteritis bacterial Gastroenteritis clostridial Gastroenteritis cryptosporidial Gastroenteritis enteroviral Gastroenteritis eosinophilic Gastroenteritis norovirus Gastroenteritis rotavirus Gastroenteritis salmonella Gastroenteritis sapovirus Gastroenteritis shigella Gastroenteritis viral Gastroenteritis yersinia Gastroenterostomy Gastrointestinal adenocarcinoma Gastrointestinal anastomotic leak Gastrointestinal anastomotic stenosis Gastrointestinal angiectasia Gastrointestinal angiodysplasia Gastrointestinal arteriovenous malformation Gastrointestinal bacterial infection Gastrointestinal bacterial overgrowth Gastrointestinal cancer metastatic Gastrointestinal candidiasis Gastrointestinal carcinoma Gastrointestinal decompression Gastrointestinal dilation procedure Gastrointestinal disorder Gastrointestinal disorder prophylaxis Gastrointestinal dysplasia Gastrointestinal endoscopic therapy Gastrointestinal erosion Gastrointestinal examination Gastrointestinal examination abnormal Gastrointestinal examination normal Gastrointestinal fistula Gastrointestinal fungal infection Gastrointestinal gangrene Gastrointestinal haemorrhage Gastrointestinal hypermotility Gastrointestinal hypomotility Gastrointestinal infection Gastrointestinal inflammation Gastrointestinal injury Gastrointestinal ischaemia Gastrointestinal lymphoma Gastrointestinal malformation Gastrointestinal motility disorder Gastrointestinal mucosa hyperaemia Gastrointestinal mucosal disorder Gastrointestinal necrosis Gastrointestinal neoplasm Gastrointestinal obstruction Gastrointestinal oedema Gastrointestinal pain Gastrointestinal pathogen panel Gastrointestinal perforation Gastrointestinal polyp Gastrointestinal polyp haemorrhage Gastrointestinal scan Gastrointestinal scarring Gastrointestinal somatic symptom disorder Gastrointestinal sounds abnormal Gastrointestinal stenosis Gastrointestinal stoma complication Gastrointestinal stoma output increased Gastrointestinal stromal tumour Gastrointestinal submucosal tumour Gastrointestinal surgery Gastrointestinal toxicity Gastrointestinal tract biopsy Gastrointestinal tract irritation Gastrointestinal tract mucosal discolouration Gastrointestinal tube insertion Gastrointestinal tube removal Gastrointestinal ulcer Gastrointestinal ulcer haemorrhage Gastrointestinal vascular malformation haemorrhagic Gastrointestinal viral infection Gastrointestinal wall thickening Gastrointestinal wall thinning Gastrooesophageal reflux disease Gastrooesophageal sphincter insufficiency Gastrorrhaphy Gastroschisis Gastrostomy Gastrostomy tube insertion Gastrostomy tube removal Gastrostomy tube site complication Gaucher's disease Gaze palsy Gelastic seizure Gender dysphoria Gene mutation Gene mutation identification test Gene mutation identification test negative Gene mutation identification test positive Gene sequencing General anaesthesia General physical condition General physical condition abnormal General physical condition decreased General physical condition normal General physical health deterioration General symptom Generalised anxiety disorder Generalised bullous fixed drug eruption Generalised erythema Generalised oedema Generalised onset non-motor seizure Generalised tonic-clonic seizure Generalised vaccinia Genetic counselling Genetic polymorphism Geniculate ganglionitis Genital abscess Genital anaesthesia Genital atrophy Genital blister Genital burning sensation Genital candidiasis Genital contusion Genital cyst Genital discharge Genital discolouration Genital discomfort Genital disorder Genital disorder female Genital disorder male Genital dysaesthesia Genital erosion Genital erythema Genital exfoliation Genital haemorrhage Genital herpes Genital herpes simplex Genital herpes zoster Genital hyperaesthesia Genital hypoaesthesia Genital infection Genital infection bacterial Genital infection female Genital infection fungal Genital infection viral Genital injury Genital labial adhesions Genital lesion Genital macule Genital neoplasm malignant female Genital odour Genital pain Genital paraesthesia Genital prolapse Genital rash Genital scarring Genital swelling Genital tract inflammation Genital ulcer syndrome Genital ulceration Genitalia external painful Genitals enlarged Genito-pelvic pain/penetration disorder Genitourinary chlamydia infection Genitourinary operation Genitourinary symptom Genitourinary tract infection Genotype drug resistance test Genotype drug resistance test abnormal Genotype drug resistance test positive Geriatric assessment Germ cell neoplasm Gerstmann's syndrome Gestational age test Gestational age test abnormal Gestational diabetes Gestational hypertension Gestational trophoblastic detachment Gestational trophoblastic tumour Gianotti-Crosti syndrome Giant cell arteritis Giant cell myocarditis Giant cell tumour of tendon sheath Giant papillary conjunctivitis Giardia test Giardia test negative Giardia test positive Giardiasis Gigantism Gilbert's syndrome Gingival abscess Gingival atrophy Gingival bleeding Gingival blister Gingival cancer Gingival cyst Gingival discolouration Gingival discomfort Gingival disorder Gingival erosion Gingival erythema Gingival hyperplasia Gingival hypertrophy Gingival infection Gingival inflammation Gingival injury Gingival oedema Gingival operation Gingival pain Gingival pruritus Gingival recession Gingival swelling Gingival ulceration Gingivitis Gingivitis ulcerative Gitelman's syndrome Glabellar reflex abnormal Glare Glasgow coma scale Glasgow coma scale normal Glassy eyes Glaucoma Glaucoma drainage device placement Glaucomatocyclitic crises Gleason grading score Glial scar Glioblastoma Glioblastoma multiforme Glioma Gliosis Global amnesia Globulin Globulin abnormal Globulins decreased Globulins increased Globulinuria Glomerular filtration rate Glomerular filtration rate abnormal Glomerular filtration rate decreased Glomerular filtration rate increased Glomerular filtration rate normal Glomerulonephritis Glomerulonephritis acute Glomerulonephritis chronic Glomerulonephritis membranoproliferative Glomerulonephritis membranous Glomerulonephritis minimal lesion Glomerulonephritis proliferative Glomerulonephritis rapidly progressive Glomerulonephropathy Glomerulosclerosis Glomus tumour Glossectomy Glossitis Glossodynia Glossopharyngeal nerve disorder Glossopharyngeal nerve paralysis Glossopharyngeal neuralgia Glossoptosis Glottal incompetence Glucagon tolerance test Glucocorticoid deficiency Glucocorticoids abnormal Glucocorticoids increased Glucocorticoids normal Glucose tolerance decreased Glucose tolerance impaired Glucose tolerance impaired in pregnancy Glucose tolerance increased Glucose tolerance test Glucose tolerance test abnormal Glucose tolerance test normal Glucose urine Glucose urine absent Glucose urine present Glucose-6-phosphate dehydrogenase Glucose-6-phosphate dehydrogenase abnormal Glucose-6-phosphate dehydrogenase deficiency Glucose-6-phosphate dehydrogenase normal Glucosylceramide Glutamate dehydrogenase Glutamate dehydrogenase increased Glutamate dehydrogenase level abnormal Glutamate dehydrogenase level normal Glutathione decreased Glutathione test Gluten free diet Gluten sensitivity Glycated albumin Glycated albumin increased Glycine test Glycogen storage disease type I Glycogen storage disease type II Glycogen storage disease type V Glycogen storage disorder Glycolysis increased Glycopenia Glycosuria Glycosylated haemoglobin Glycosylated haemoglobin abnormal Glycosylated haemoglobin decreased Glycosylated haemoglobin increased Glycosylated haemoglobin normal Gnathoschisis Goitre Gomori methenamine silver stain Gonadotrophin deficiency Gonadotrophin releasing hormone stimulation test Gonioscopy Gonococcal infection Gonorrhoea Good syndrome Goodpasture's syndrome Gout Gouty arthritis Gouty tophus Gradenigo's syndrome Graft complication Graft haemorrhage Graft loss Graft thrombosis Graft versus host disease Graft versus host disease in eye Graft versus host disease in gastrointestinal tract Graft versus host disease in liver Graft versus host disease in skin Gram stain Gram stain negative Gram stain positive Grand mal convulsion Grandiosity Granular cell tumour Granulocyte count Granulocyte count decreased Granulocyte count increased Granulocyte percentage Granulocyte percentage increased Granulocyte-colony stimulating factor level increased Granulocytes abnormal Granulocytes maturation arrest Granulocytopenia Granulocytosis Granuloma Granuloma annulare Granuloma skin Granulomatosis with polyangiitis Granulomatous dermatitis Granulomatous liver disease Granulomatous lymphadenitis Graves' disease Gravitational oedema Great saphenous vein closure Greater trochanteric pain syndrome Greenstick fracture Grey matter heterotopia Grey syndrome neonatal Grief reaction Grimacing Grip strength Grip strength decreased Groin abscess Groin infection Groin pain Gross motor delay Group B streptococcus neonatal sepsis Growing pains Growth accelerated Growth disorder Growth failure Growth hormone deficiency Growth of eyelashes Growth retardation Grunting Guillain-Barre syndrome Gulf war syndrome Gun shot wound Gustometry Gustometry normal Gut fermentation syndrome Guthrie test Guttate psoriasis Gynaecological examination Gynaecological examination abnormal Gynaecological examination normal Gynaecomastia H1N1 influenza H2N2 influenza H3N2 influenza HBV-DNA polymerase increased HCoV-OC43 infection HELLP syndrome HER2 negative breast cancer HER2 positive breast cancer HER2 protein overexpression HIV antibody HIV antibody negative HIV antibody positive HIV antigen HIV antigen negative HIV antigen positive HIV infection HIV peripheral neuropathy HIV test HIV test false positive HIV test negative HIV test positive HIV viraemia HIV-2 infection HIV-associated neurocognitive disorder HLA marker study HLA marker study positive HLA-B gene status assay HLA-B*1502 assay HLA-B*27 assay HLA-B*27 positive HLA-B*5701 assay HLA-B*5801 assay HTLV test HTLV-1 carrier HTLV-1 test HTLV-1 test positive HTLV-2 test HTLV-2 test positive Habit cough Habitual abortion Haemangioblastoma Haemangioma Haemangioma congenital Haemangioma of bone Haemangioma of breast Haemangioma of liver Haemangioma of skin Haemangioma of spleen Haemangioma-thrombocytopenia syndrome Haemangiopericytoma Haemarthrosis Haematemesis Haematidrosis Haematinuria Haematochezia Haematocrit Haematocrit abnormal Haematocrit decreased Haematocrit increased Haematocrit normal Haematological infection Haematological malignancy Haematology test Haematology test abnormal Haematology test normal Haematoma Haematoma evacuation Haematoma infection Haematoma muscle Haematopoietic neoplasm Haematosalpinx Haematospermia Haematotympanum Haematuria Haematuria traumatic Haemobilia Haemochromatosis Haemoconcentration Haemodialysis Haemodialysis complication Haemodilution Haemodynamic instability Haemodynamic rebound Haemodynamic test Haemodynamic test abnormal Haemodynamic test normal Haemofiltration Haemoglobin Haemoglobin A absent Haemoglobin A present Haemoglobin A2 Haemoglobin C Haemoglobin E Haemoglobin S Haemoglobin S increased Haemoglobin S normal Haemoglobin abnormal Haemoglobin decreased Haemoglobin distribution width Haemoglobin distribution width increased Haemoglobin electrophoresis Haemoglobin electrophoresis abnormal Haemoglobin electrophoresis normal Haemoglobin increased Haemoglobin normal Haemoglobin urine Haemoglobin urine absent Haemoglobin urine present Haemoglobinaemia Haemoglobinopathy Haemoglobinuria Haemolysis Haemolytic anaemia Haemolytic transfusion reaction Haemolytic uraemic syndrome Haemoperitoneum Haemophagocytic lymphohistiocytosis Haemophilia Haemophilia A with anti factor VIII Haemophilia carrier Haemophilic arthropathy Haemophilus bacteraemia Haemophilus infection Haemophilus sepsis Haemophilus test Haemophilus test positive Haemophobia Haemoptysis Haemorrhage Haemorrhage coronary artery Haemorrhage foetal Haemorrhage in pregnancy Haemorrhage intracranial Haemorrhage neonatal Haemorrhage subcutaneous Haemorrhage subepidermal Haemorrhage urinary tract Haemorrhagic anaemia Haemorrhagic arteriovenous malformation Haemorrhagic ascites Haemorrhagic breast cyst Haemorrhagic cerebellar infarction Haemorrhagic cerebral infarction Haemorrhagic cyst Haemorrhagic diathesis Haemorrhagic disease of newborn Haemorrhagic disorder Haemorrhagic erosive gastritis Haemorrhagic fever with renal syndrome Haemorrhagic infarction Haemorrhagic ovarian cyst Haemorrhagic pneumonia Haemorrhagic stroke Haemorrhagic thyroid cyst Haemorrhagic transformation stroke Haemorrhagic urticaria Haemorrhagic varicella syndrome Haemorrhagic vasculitis Haemorrhoid infection Haemorrhoid operation Haemorrhoidal haemorrhage Haemorrhoids Haemorrhoids thrombosed Haemosiderin stain Haemosiderinuria Haemosiderosis Haemostasis Haemothorax Hair colour changes Hair disorder Hair dye user Hair follicle tumour benign Hair growth abnormal Hair growth rate abnormal Hair injury Hair metal test Hair metal test abnormal Hair metal test normal Hair texture abnormal Hairy cell leukaemia Hallucination Hallucination, auditory Hallucination, gustatory Hallucination, olfactory Hallucination, tactile Hallucination, visual Hallucinations, mixed Halo vision Hamartoma Hand amputation Hand deformity Hand dermatitis Hand fracture Hand repair operation Hand-arm vibration syndrome Hand-eye coordination impaired Hand-foot-and-mouth disease Hanging Hangnail Hangover Hantaviral infection Hantavirus pulmonary infection Haphephobia Haptoglobin Haptoglobin abnormal Haptoglobin decreased Haptoglobin increased Haptoglobin normal Harlequin syndrome Hashimoto's encephalopathy Hashitoxicosis Head and neck cancer metastatic Head banging Head circumference Head circumference abnormal Head circumference normal Head deformity Head discomfort Head impulse test Head injury Head lag Head lag abnormal Head titubation Headache Hearing aid therapy Hearing aid user Hearing disability Hearing impaired Heart alternation Heart block congenital Heart disease congenital Heart injury Heart rate Heart rate abnormal Heart rate decreased Heart rate increased Heart rate irregular Heart rate normal Heart rate variability decreased Heart rate variability increased Heart rate variability test Heart sounds Heart sounds abnormal Heart sounds normal Heart transplant Heart transplant rejection Heart valve calcification Heart valve incompetence Heart valve operation Heart valve replacement Heart valve stenosis Heat cramps Heat exhaustion Heat illness Heat oedema Heat rash Heat stroke Heat therapy Heavy exposure to ultraviolet light Heavy menstrual bleeding Heavy metal increased Heavy metal normal Heavy metal test Heel-knee-shin test abnormal Heinz bodies Helicobacter gastritis Helicobacter infection Helicobacter pylori identification test Helicobacter pylori identification test negative Helicobacter pylori identification test positive Helicobacter test Helicobacter test negative Helicobacter test positive Heliotrope rash Helminthic infection Helplessness Hemianaesthesia Hemianopia Hemianopia heteronymous Hemianopia homonymous Hemiapraxia Hemiasomatognosia Hemiataxia Hemicephalalgia Hemidysaesthesia Hemihyperaesthesia Hemihypertrophy Hemihypoaesthesia Hemiparaesthesia Hemiparesis Hemiplegia Hemiplegic migraine Henoch-Schonlein purpura Henoch-Schonlein purpura nephritis Hepaplastin test Heparin-induced thrombocytopenia Heparin-induced thrombocytopenia test Heparin-induced thrombocytopenia test positive Hepatectomy Hepatic adenoma Hepatic amoebiasis Hepatic angiogram Hepatic angiosarcoma Hepatic artery embolism Hepatic artery stenosis Hepatic artery thrombosis Hepatic atrophy Hepatic calcification Hepatic cancer Hepatic cancer metastatic Hepatic cancer recurrent Hepatic cancer stage IV Hepatic cirrhosis Hepatic congestion Hepatic cyst Hepatic cyst infection Hepatic cytolysis Hepatic embolisation Hepatic encephalopathy Hepatic enzyme Hepatic enzyme abnormal Hepatic enzyme decreased Hepatic enzyme increased Hepatic failure Hepatic fibrosis Hepatic fibrosis marker test Hepatic function abnormal Hepatic haematoma Hepatic haemorrhage Hepatic hydrothorax Hepatic hypertrophy Hepatic hypoperfusion Hepatic infarction Hepatic infection Hepatic infection fungal Hepatic ischaemia Hepatic lesion Hepatic lymphocytic infiltration Hepatic mass Hepatic necrosis Hepatic neoplasm Hepatic neoplasm malignant Hepatic neoplasm malignant non-resectable Hepatic pain Hepatic perfusion disorder Hepatic rupture Hepatic steatosis Hepatic vascular disorder Hepatic vascular thrombosis Hepatic vein dilatation Hepatic vein occlusion Hepatic vein thrombosis Hepatitis Hepatitis A Hepatitis A antibody Hepatitis A antibody abnormal Hepatitis A antibody negative Hepatitis A antibody normal Hepatitis A antibody positive Hepatitis A antigen negative Hepatitis A antigen positive Hepatitis A immunisation Hepatitis A virus Hepatitis A virus test Hepatitis A virus test positive Hepatitis B Hepatitis B DNA assay Hepatitis B DNA assay negative Hepatitis B DNA assay positive Hepatitis B DNA decreased Hepatitis B DNA increased Hepatitis B antibody Hepatitis B antibody abnormal Hepatitis B antibody negative Hepatitis B antibody normal Hepatitis B antibody positive Hepatitis B antigen Hepatitis B antigen positive Hepatitis B core antibody Hepatitis B core antibody negative Hepatitis B core antibody positive Hepatitis B core antigen Hepatitis B core antigen positive Hepatitis B e antibody Hepatitis B e antibody negative Hepatitis B e antibody positive Hepatitis B e antigen Hepatitis B e antigen negative Hepatitis B e antigen positive Hepatitis B immunisation Hepatitis B positive Hepatitis B reactivation Hepatitis B surface antibody Hepatitis B surface antibody negative Hepatitis B surface antibody positive Hepatitis B surface antigen Hepatitis B surface antigen negative Hepatitis B surface antigen positive Hepatitis B test negative Hepatitis B virus Hepatitis B virus test Hepatitis B virus test positive Hepatitis C Hepatitis C RNA Hepatitis C RNA decreased Hepatitis C RNA increased Hepatitis C RNA negative Hepatitis C RNA positive Hepatitis C antibody Hepatitis C antibody negative Hepatitis C antibody positive Hepatitis C core antibody Hepatitis C core antibody negative Hepatitis C positive Hepatitis C test negative Hepatitis C virus Hepatitis C virus core antigen Hepatitis C virus test Hepatitis C virus test positive Hepatitis D Hepatitis D RNA negative Hepatitis D antibody Hepatitis D antibody negative Hepatitis D antigen Hepatitis D virus test Hepatitis D virus test positive Hepatitis E Hepatitis E antibody Hepatitis E antibody negative Hepatitis E antibody normal Hepatitis E antibody positive Hepatitis E antigen Hepatitis E antigen negative Hepatitis E antigen positive Hepatitis E virus test Hepatitis E virus test positive Hepatitis acute Hepatitis alcoholic Hepatitis cholestatic Hepatitis chronic active Hepatitis fulminant Hepatitis infectious Hepatitis infectious mononucleosis Hepatitis neonatal Hepatitis toxic Hepatitis viral Hepatitis viral test Hepatitis viral test negative Hepatitis viral test positive Hepato-lenticular degeneration Hepatobiliary cyst Hepatobiliary disease Hepatobiliary scan Hepatobiliary scan abnormal Hepatobiliary scan normal Hepatoblastoma Hepatocellular carcinoma Hepatocellular damage Hepatocellular injury Hepatojugular reflux Hepatomegaly Hepatopulmonary syndrome Hepatorenal failure Hepatorenal syndrome Hepatosplenic T-cell lymphoma Hepatosplenomegaly Hepatotoxicity Hepcidin test Hereditary angioedema Hereditary angioedema with C1 esterase inhibitor deficiency Hereditary angioedema with normal C1 esterase inhibitor Hereditary ataxia Hereditary disorder Hereditary haemochromatosis Hereditary haemolytic anaemia Hereditary haemorrhagic telangiectasia Hereditary motor and sensory neuropathy Hereditary neuropathy with liability to pressure palsies Hereditary non-polyposis colorectal cancer syndrome Hereditary optic atrophy Hereditary spherocytosis Hernia Hernia hiatus repair Hernia pain Hernia repair Hernial eventration Herpangina Herpes dermatitis Herpes gestationis Herpes oesophagitis Herpes ophthalmic Herpes pharyngitis Herpes sepsis Herpes simplex Herpes simplex DNA test positive Herpes simplex encephalitis Herpes simplex gastritis Herpes simplex hepatitis Herpes simplex meningitis Herpes simplex meningoencephalitis Herpes simplex oesophagitis Herpes simplex ophthalmic Herpes simplex pharyngitis Herpes simplex reactivation Herpes simplex serology Herpes simplex serology negative Herpes simplex serology positive Herpes simplex test Herpes simplex test negative Herpes simplex test positive Herpes simplex viraemia Herpes virus infection Herpes virus test Herpes virus test abnormal Herpes zoster Herpes zoster cutaneous disseminated Herpes zoster disseminated Herpes zoster immunisation Herpes zoster infection neurological Herpes zoster meningitis Herpes zoster meningoencephalitis Herpes zoster meningomyelitis Herpes zoster meningoradiculitis Herpes zoster multi-dermatomal Herpes zoster necrotising retinopathy Herpes zoster ophthalmic Herpes zoster oticus Herpes zoster pharyngitis Herpes zoster reactivation Herpetic radiculopathy Heterogeneous testis Heteronymous diplopia Heterophoria Heterosexuality Heterotaxia Hiatus hernia Hiccups Hidradenitis High density lipoprotein High density lipoprotein abnormal High density lipoprotein decreased High density lipoprotein increased High density lipoprotein normal High foetal head High frequency ablation High intensity focused ultrasound High risk pregnancy High risk sexual behaviour High-grade B-cell lymphoma High-pitched crying High-resolution computerised tomogram of lung Hilar lymphadenopathy Hip arthroplasty Hip deformity Hip disarticulation Hip dysplasia Hip fracture Hip surgery Hippocampal atrophy Hippocampal sclerosis Hippus Hirsutism Histamine abnormal Histamine intolerance Histamine level Histamine level increased Histamine normal Histamine release test Histiocytic necrotising lymphadenitis Histiocytosis Histiocytosis haematophagic Histology Histology abnormal Histology normal Histone antibody Histone antibody negative Histone antibody positive Histoplasmosis Histoplasmosis disseminated Histrionic personality disorder Hodgkin's disease Hodgkin's disease lymphocyte predominance type stage unspecified Hodgkin's disease mixed cellularity stage unspecified Hodgkin's disease nodular sclerosis Hodgkin's disease nodular sclerosis stage II Hodgkin's disease nodular sclerosis stage IV Hodgkin's disease nodular sclerosis stage unspecified Hodgkin's disease recurrent Hodgkin's disease stage II Hodgkin's disease stage III Hodgkin's disease stage IV Hoffmann's sign Hollow visceral myopathy Holmes-Adie pupil Holoprosencephaly Holotranscobalamin test Holter valve insertion Homans' sign Homans' sign negative Homans' sign positive Homeless Homeopathy Homicidal ideation Homicide Homocysteine urine Homocystinaemia Homonymous diplopia Homosexuality Hooded prepuce Hookworm infection Hoover's sign of leg paresis Hordeolum Hormonal contraception Hormone analysis Hormone level abnormal Hormone receptor negative HER2 positive breast cancer Hormone receptor positive HER2 negative breast cancer Hormone receptor positive breast cancer Hormone refractory breast cancer Hormone replacement therapy Hormone therapy Horner's syndrome Hospice care Hospitalisation Hostility Hot flush House dust allergy Housebound Huerthle cell carcinoma Human T-cell lymphotropic virus infection Human T-cell lymphotropic virus type I infection Human anaplasmosis Human anti-human antibody test Human anti-mouse antibody test Human bite Human bocavirus infection Human chorionic gonadotropin Human chorionic gonadotropin abnormal Human chorionic gonadotropin decreased Human chorionic gonadotropin increased Human chorionic gonadotropin negative Human chorionic gonadotropin normal Human chorionic gonadotropin positive Human ehrlichiosis Human epidermal growth factor receptor increased Human epidermal growth factor receptor negative Human herpes virus 6 serology Human herpes virus 6 serology negative Human herpes virus 6 serology positive Human herpes virus 8 test Human herpesvirus 6 encephalitis Human herpesvirus 6 infection Human herpesvirus 6 infection reactivation Human herpesvirus 7 infection Human herpesvirus 8 infection Human immunodeficiency virus transmission Human metapneumovirus test Human metapneumovirus test positive Human papilloma virus immunisation Human papilloma virus test Human papilloma virus test negative Human papilloma virus test positive Human rhinovirus test Human rhinovirus test positive Human seminal plasma hypersensitivity Humerus fracture Humidity intolerance Humoral immune defect Hunger Hunt and Hess scale Huntington's disease Hyalosis asteroid Hyaluronic acid Hyaluronic acid decreased Hydrocele Hydrocele operation Hydrocephalus Hydrocholecystis Hydrogen breath test Hydrogen breath test abnormal Hydrogen breath test normal Hydrometra Hydronephrosis Hydrophobia Hydrops foetalis Hydrosalpinx Hydrothorax Hydroureter Hydroxycorticosteroids urine Hydroxyproline Hyper IgE syndrome Hyperactive pharyngeal reflex Hyperacusis Hyperadrenalism Hyperadrenocorticism Hyperaemia Hyperaesthesia Hyperaesthesia eye Hyperaesthesia teeth Hyperalbuminaemia Hyperaldosteronism Hyperammonaemia Hyperammonaemic encephalopathy Hyperamylasaemia Hyperandrogenism Hyperarousal Hyperbaric oxygen therapy Hyperbilirubinaemia Hyperbilirubinaemia neonatal Hypercalcaemia Hypercalcaemia of malignancy Hypercapnia Hypercapnic coma Hypercarotinaemia Hypercatabolism Hyperchloraemia Hyperchlorhydria Hypercholesterolaemia Hyperchromic anaemia Hyperchylomicronaemia Hypercoagulation Hypercreatinaemia Hypercreatininaemia Hyperdynamic left ventricle Hyperechogenic pancreas Hyperemesis gravidarum Hypereosinophilic syndrome Hyperexplexia Hyperferritinaemia Hyperfibrinogenaemia Hyperfibrinolysis Hypergammaglobulinaemia Hypergammaglobulinaemia benign monoclonal Hypergastrinaemia Hypergeusia Hyperglobulinaemia Hyperglycaemia Hyperglycaemic hyperosmolar nonketotic syndrome Hyperglycaemic seizure Hyperglycaemic unconsciousness Hyperglycinaemia Hyperhidrosis Hyperhomocysteinaemia Hyperinsulinaemic hypoglycaemia Hyperinsulinism Hyperintensity in brain deep nuclei Hyperkalaemia Hyperkeratosis Hyperkeratosis follicularis et parafollicularis Hyperkeratosis lenticularis perstans Hyperkeratosis palmaris and plantaris Hyperkinesia Hyperkinetic heart syndrome Hyperlactacidaemia Hyperleukocytosis Hyperlipasaemia Hyperlipidaemia Hypermagnesaemia Hypermetabolism Hypermetropia Hypermobility syndrome Hypernatraemia Hyperoestrogenism Hyperosmolar state Hyperoxaluria Hyperoxia Hyperpallaesthesia Hyperparathyroidism Hyperparathyroidism primary Hyperparathyroidism secondary Hyperparathyroidism tertiary Hyperpathia Hyperphagia Hyperphosphataemia Hyperplasia Hyperplasia adrenal Hyperplasia of thymic epithelium Hyperprolactinaemia Hyperproteinaemia Hyperprothrombinaemia Hyperpyrexia Hyperreflexia Hyperresponsive to stimuli Hypersensitivity Hypersensitivity myocarditis Hypersensitivity pneumonitis Hypersensitivity vasculitis Hypersexuality Hypersomnia Hypersomnia-bulimia syndrome Hypersplenism Hypertension Hypertensive angiopathy Hypertensive cardiomegaly Hypertensive cardiomyopathy Hypertensive cerebrovascular disease Hypertensive crisis Hypertensive emergency Hypertensive encephalopathy Hypertensive end-organ damage Hypertensive heart disease Hypertensive hydrocephalus Hypertensive nephropathy Hypertensive urgency Hyperthermia Hyperthermia malignant Hyperthermia therapy Hyperthermic chemotherapy Hyperthyroidism Hypertonia Hypertonia neonatal Hypertonic bladder Hypertransaminasaemia Hypertrichosis Hypertriglyceridaemia Hypertrophic anal papilla Hypertrophic cardiomyopathy Hypertrophic osteoarthropathy Hypertrophic scar Hypertrophy Hypertrophy breast Hypertrophy of tongue papillae Hyperuricaemia Hyperventilation Hypervigilance Hyperviscosity syndrome Hypervitaminosis Hypervitaminosis B Hypervitaminosis B12 Hypervolaemia Hyphaema Hypnagogic hallucination Hypnopompic hallucination Hypoacusis Hypoaesthesia Hypoaesthesia eye Hypoaesthesia facial Hypoaesthesia oral Hypoaesthesia teeth Hypoalbuminaemia Hypoaldosteronism Hypobarism Hypocalcaemia Hypocalcaemic seizure Hypocalvaria Hypocapnia Hypochloraemia Hypocholesterolaemia Hypochondroplasia Hypochromasia Hypochromic anaemia Hypocoagulable state Hypocomplementaemia Hypoferritinaemia Hypofibrinogenaemia Hypogammaglobulinaemia Hypogeusia Hypoglobulinaemia Hypoglossal nerve disorder Hypoglossal nerve paralysis Hypoglossal nerve paresis Hypoglycaemia Hypoglycaemia neonatal Hypoglycaemia unawareness Hypoglycaemic coma Hypoglycaemic seizure Hypoglycaemic unconsciousness Hypogonadism Hypogonadism female Hypogonadism male Hypohidrosis Hypokalaemia Hypokalaemic syndrome Hypokinesia Hypokinetic dysarthria Hypolipidaemia Hypomagnesaemia Hypomania Hypomenorrhoea Hypometabolism Hyponatraemia Hyponatraemic coma Hyponatraemic syndrome Hyponatriuria Hypoosmolar state Hypoparathyroidism Hypoperfusion Hypophagia Hypophonesis Hypophosphataemia Hypophosphatasia Hypophysitis Hypopigmentation of eyelid Hypopituitarism Hypoplastic anaemia Hypoplastic left heart syndrome Hypoplastic right heart syndrome Hypopnoea Hypoproteinaemia Hypoprothrombinaemia Hypopyon Hyporeflexia Hyporesponsive to stimuli Hyposideraemia Hyposmia Hyposomnia Hypospadias Hyposplenism Hyposthenuria Hypotension Hypotensive crisis Hypothalamo-pituitary disorder Hypothenar hammer syndrome Hypothermia Hypothermia neonatal Hypothyroidic goitre Hypothyroidism Hypotonia Hypotonia neonatal Hypotonic urinary bladder Hypotonic-hyporesponsive episode Hypotony of eye Hypotrichosis Hypoventilation Hypovitaminosis Hypovolaemia Hypovolaemic shock Hypoxia Hypoxic-ischaemic encephalopathy Hypozincaemia Hysterectomy Hysterocele Hysterosalpingectomy Hysterosalpingo-oophorectomy Hysterosalpingogram Hysteroscopy Hysteroscopy abnormal Hysteroscopy normal Hysterotomy IIIrd nerve disorder IIIrd nerve injury IIIrd nerve paralysis IIIrd nerve paresis IL-2 receptor assay IRVAN syndrome ISTH score for disseminated intravascular coagulation IVth nerve disorder IVth nerve injury IVth nerve paralysis IVth nerve paresis Iatrogenic injury Ichthyosis Ichthyosis acquired Icterus index Ideas of reference Idiopathic CD4 lymphocytopenia Idiopathic angioedema Idiopathic environmental intolerance Idiopathic generalised epilepsy Idiopathic guttate hypomelanosis Idiopathic inflammatory myopathy Idiopathic interstitial pneumonia Idiopathic intracranial hypertension Idiopathic neutropenia Idiopathic orbital inflammation Idiopathic partial epilepsy Idiopathic pneumonia syndrome Idiopathic pulmonary fibrosis Idiopathic thrombocytopenic purpura Idiopathic urticaria Idiosyncratic drug reaction IgA nephropathy IgM nephropathy Ileal gangrene Ileal perforation Ileal ulcer Ileectomy Ileitis Ileocaecal resection Ileocolectomy Ileocolostomy Ileostomy Ileostomy closure Ileus Ileus paralytic Ileus spastic Iliac artery arteriosclerosis Iliac artery disease Iliac artery dissection Iliac artery embolism Iliac artery occlusion Iliac artery rupture Iliac artery stenosis Iliac artery thrombosis Iliac bruit Iliac vein occlusion Iliac vein stenosis Iliotibial band syndrome Ilium fracture Ill-defined disorder Illiteracy Illness Illness anxiety disorder Illogical thinking Illusion Imaging procedure Imaging procedure abnormal Imaging procedure artifact Immature granulocyte count Immature granulocyte count increased Immature granulocyte percentage increased Immature respiratory system Immediate post-injection reaction Imminent abortion Immobile Immobilisation prolonged Immobilisation syndrome Immotile cilia syndrome Immune agglutinins Immune complex assay Immune complex level increased Immune enhancement therapy Immune reconstitution inflammatory syndrome Immune reconstitution inflammatory syndrome associated tuberculosis Immune reconstitution syndrome Immune system disorder Immune thrombocytopenia Immune thrombocytopenic purpura Immune tolerance induction Immune-mediated adverse reaction Immune-mediated arthritis Immune-mediated cholangitis Immune-mediated cholestasis Immune-mediated cystitis Immune-mediated encephalitis Immune-mediated hepatic disorder Immune-mediated hepatitis Immune-mediated hyperthyroidism Immune-mediated hypothyroidism Immune-mediated lung disease Immune-mediated myocarditis Immune-mediated myositis Immune-mediated necrotising myopathy Immune-mediated neurological disorder Immune-mediated neuropathy Immune-mediated pancreatitis Immune-mediated renal disorder Immune-mediated thyroiditis Immunisation Immunisation anxiety related reaction Immunisation reaction Immunisation stress-related response Immunochemotherapy Immunodeficiency Immunodeficiency common variable Immunoelectrophoresis Immunoglobulin G4 related disease Immunoglobulin G4 related sclerosing disease Immunoglobulin clonality assay Immunoglobulin therapy Immunoglobulins Immunoglobulins abnormal Immunoglobulins decreased Immunoglobulins increased Immunoglobulins normal Immunohistochemistry Immunology test Immunology test abnormal Immunology test normal Immunophenotyping Immunosuppressant drug level Immunosuppressant drug level decreased Immunosuppressant drug level increased Immunosuppressant drug therapy Immunosuppression Impacted fracture Impaired ability to use machinery Impaired driving ability Impaired fasting glucose Impaired gastric emptying Impaired healing Impaired insulin secretion Impaired quality of life Impaired reasoning Impaired self-care Impaired work ability Impatience Imperception Impetigo Impingement syndrome Implant site discolouration Implant site extravasation Implant site fibrosis Implant site haemorrhage Implant site hypoaesthesia Implant site induration Implant site infection Implant site inflammation Implant site irritation Implant site pain Implant site pruritus Implant site pustules Implant site reaction Implant site swelling Implant site warmth Implantable cardiac monitor insertion Implantable cardiac monitor removal Implantable defibrillator insertion Implantable defibrillator removal Implantable defibrillator replacement Implantation complication Imprisonment Impulse oscillometry Impulse-control disorder Impulsive behaviour In vitro fertilisation Inability to afford medication Inability to crawl Inadequate analgesia Inadequate aseptic technique in use of product Inadequate diet Inappropriate affect Inappropriate antidiuretic hormone secretion Inappropriate release of product for distribution Inappropriate schedule of drug administration Inappropriate schedule of product administration Inappropriate schedule of product discontinuation Inborn error of metabolism Incarcerated hernia Incarcerated hiatus hernia Incarcerated incisional hernia Incarcerated inguinal hernia Incarcerated umbilical hernia Incentive spirometry Incision site abscess Incision site cellulitis Incision site complication Incision site discharge Incision site erythema Incision site haematoma Incision site haemorrhage Incision site impaired healing Incision site infection Incision site inflammation Incision site oedema Incision site pain Incision site pruritus Incision site rash Incision site swelling Incisional drainage Incisional hernia Incisional hernia repair Incisional hernia, obstructive Inclusion body myositis Inclusion conjunctivitis Incoherent Incomplete course of vaccination Incontinence Incorrect disposal of product Incorrect dosage administered Incorrect dose administered Incorrect dose administered by device Incorrect dose administered by product Incorrect drug administration duration Incorrect drug administration rate Incorrect drug dosage form administered Incorrect product administration duration Incorrect product formulation administered Incorrect product storage Incorrect route of drug administration Incorrect route of product administration Incorrect storage of drug Increased appetite Increased bronchial secretion Increased insulin requirement Increased liver stiffness Increased need for sleep Increased tendency to bruise Increased upper airway secretion Increased viscosity of bronchial secretion Increased viscosity of nasal secretion Increased viscosity of upper respiratory secretion Indeterminate investigation result Indeterminate leprosy Indifference Indirect infection transmission Induced abortion failed Induced abortion haemorrhage Induced labour Induction of anaesthesia Induction of cervix ripening Induration Infant Infant irritability Infant sedation Infantile apnoea Infantile apnoeic attack Infantile asthma Infantile back arching Infantile colic Infantile diarrhoea Infantile genetic agranulocytosis Infantile haemangioma Infantile postural asymmetry Infantile septic granulomatosis Infantile spasms Infantile spitting up Infantile vomiting Infarction Infected bite Infected bites Infected bunion Infected cyst Infected dermal cyst Infected fistula Infected lymphocele Infected neoplasm Infected seroma Infected skin ulcer Infected vasculitis Infection Infection in an immunocompromised host Infection parasitic Infection prophylaxis Infection protozoal Infection reactivation Infection susceptibility increased Infection transmission via personal contact Infection via vaccinee Infectious disease carrier Infectious mononucleosis Infectious pleural effusion Infectious thyroiditis Infective aneurysm Infective chondritis Infective episcleritis Infective exacerbation of bronchiectasis Infective exacerbation of chronic obstructive airways disease Infective glossitis Infective iritis Infective keratitis Infective myositis Infective pericardial effusion Infective pulmonary exacerbation of cystic fibrosis Infective spondylitis Infective tenosynovitis Infective thrombosis Inferior vena cava dilatation Inferior vena cava stenosis Inferior vena cava syndrome Inferior vena caval occlusion Inferiority complex Infertility Infertility female Infertility male Infertility tests Infertility tests abnormal Infertility tests normal Infestation Inflammation Inflammation of lacrimal passage Inflammation of wound Inflammation scan Inflammatory bowel disease Inflammatory carcinoma of the breast Inflammatory marker decreased Inflammatory marker increased Inflammatory marker test Inflammatory pain Inflammatory pseudotumour Influenza Influenza A virus test Influenza A virus test negative Influenza A virus test positive Influenza B virus test Influenza B virus test positive Influenza C virus test Influenza immunisation Influenza like illness Influenza serology Influenza serology negative Influenza serology positive Influenza virus test Influenza virus test negative Influenza virus test positive Infrared therapy Infrequent bowel movements Infusion Infusion related hypersensitivity reaction Infusion related reaction Infusion site bruising Infusion site cellulitis Infusion site erythema Infusion site extravasation Infusion site haemorrhage Infusion site induration Infusion site inflammation Infusion site joint movement impairment Infusion site joint swelling Infusion site mobility decreased Infusion site pain Infusion site pruritus Infusion site reaction Infusion site scar Infusion site streaking Infusion site swelling Infusion site urticaria Infusion site warmth Ingrowing nail Ingrown hair Inguinal hernia Inguinal hernia repair Inguinal hernia, obstructive Inguinal mass Inhalation therapy Inhibiting antibodies Inhibiting antibodies positive Inhibitory drug interaction Initial insomnia Injectable contraception Injected limb mobility decreased Injection Injection related reaction Injection site abscess Injection site abscess sterile Injection site anaesthesia Injection site atrophy Injection site bruising Injection site calcification Injection site cellulitis Injection site coldness Injection site cyst Injection site deformation Injection site dermatitis Injection site desquamation Injection site discharge Injection site discolouration Injection site discomfort Injection site dryness Injection site dysaesthesia Injection site eczema Injection site erosion Injection site erythema Injection site exfoliation Injection site extravasation Injection site fibrosis Injection site granuloma Injection site haematoma Injection site haemorrhage Injection site hyperaesthesia Injection site hypersensitivity Injection site hypertrichosis Injection site hypertrophy Injection site hypoaesthesia Injection site indentation Injection site induration Injection site infection Injection site inflammation Injection site injury Injection site irritation Injection site joint discomfort Injection site joint effusion Injection site joint erythema Injection site joint infection Injection site joint inflammation Injection site joint movement impairment Injection site joint pain Injection site joint redness Injection site joint swelling Injection site joint warmth Injection site laceration Injection site lymphadenopathy Injection site macule Injection site mass Injection site movement impairment Injection site muscle atrophy Injection site muscle weakness Injection site necrosis Injection site nerve damage Injection site nodule Injection site oedema Injection site pain Injection site pallor Injection site panniculitis Injection site papule Injection site paraesthesia Injection site phlebitis Injection site plaque Injection site pruritus Injection site pustule Injection site rash Injection site reaction Injection site recall reaction Injection site scab Injection site scar Injection site streaking Injection site swelling Injection site telangiectasia Injection site thrombosis Injection site ulcer Injection site urticaria Injection site vasculitis Injection site vesicles Injection site warmth Injury Injury asphyxiation Injury associated with device Injury corneal Injury to brachial plexus due to birth trauma Inner ear disorder Inner ear infarction Inner ear inflammation Inner ear operation Insomnia Inspiratory capacity Inspiratory capacity abnormal Inspiratory capacity decreased Inspiratory capacity normal Instillation site erythema Instillation site exfoliation Instillation site foreign body sensation Instillation site haemorrhage Instillation site induration Instillation site pain Instillation site paraesthesia Instillation site reaction Instillation site vesicles Instillation site warmth Insulin C-peptide Insulin C-peptide abnormal Insulin C-peptide decreased Insulin C-peptide increased Insulin C-peptide normal Insulin autoimmune syndrome Insulin resistance Insulin resistance test Insulin resistant diabetes Insulin therapy Insulin tolerance test Insulin tolerance test abnormal Insulin-like growth factor Insulin-like growth factor increased Insulin-requiring type 2 diabetes mellitus Insulin-requiring type II diabetes mellitus Insulinoma Insurance issue Intellectual disability Intelligence test Intelligence test abnormal Intensive care Intensive care unit acquired weakness Intensive care unit delirium Intention tremor Intentional device misuse Intentional dose omission Intentional drug misuse Intentional medical device removal by patient Intentional overdose Intentional product misuse Intentional product misuse to child Intentional product use issue Intentional removal of drug delivery system by patient Intentional self-injury Intentional underdose Intercapillary glomerulosclerosis Intercepted drug administration error Intercepted drug dispensing error Intercepted drug prescribing error Intercepted medication error Intercepted product administration error Intercepted product dispensing error Intercepted product preparation error Intercepted product prescribing error Intercepted product storage error Interchange of vaccine products Intercostal neuralgia Intercostal retraction Interferon alpha level Interferon alpha level increased Interferon beta level Interferon beta level increased Interferon gamma decreased Interferon gamma level Interferon gamma normal Interferon gamma receptor deficiency Interferon gamma release assay Interferon gamma release assay positive Interleukin level Interleukin level decreased Interleukin level increased Interleukin therapy Interleukin-2 receptor assay Interleukin-2 receptor increased Intermenstrual bleeding Intermittent claudication Intermittent explosive disorder Intermittent positive pressure breathing Internal capsule infarction Internal carotid artery deformity Internal device exposed Internal fixation of fracture Internal fixation of spine Internal haemorrhage Internal hernia Internal injury International normalised ratio International normalised ratio abnormal International normalised ratio decreased International normalised ratio fluctuation International normalised ratio increased International normalised ratio normal Interspinous osteoarthritis Interstitial granulomatous dermatitis Interstitial lung abnormality Interstitial lung disease Intertrigo Interventional procedure Interventricular septum rupture Intervertebral disc annular tear Intervertebral disc calcification Intervertebral disc compression Intervertebral disc degeneration Intervertebral disc disorder Intervertebral disc displacement Intervertebral disc injury Intervertebral disc operation Intervertebral disc protrusion Intervertebral disc space narrowing Intervertebral discitis Intestinal adenocarcinoma Intestinal adhesion lysis Intestinal anastomosis Intestinal angina Intestinal angioedema Intestinal atony Intestinal atresia Intestinal barrier dysfunction Intestinal congestion Intestinal cyst Intestinal dilatation Intestinal fistula Intestinal functional disorder Intestinal gangrene Intestinal haematoma Intestinal haemorrhage Intestinal infarction Intestinal intraepithelial lymphocytes increased Intestinal ischaemia Intestinal malrotation Intestinal malrotation repair Intestinal mass Intestinal metaplasia Intestinal metastasis Intestinal mucosal atrophy Intestinal mucosal hypertrophy Intestinal mucosal tear Intestinal obstruction Intestinal operation Intestinal perforation Intestinal polyp Intestinal prolapse Intestinal pseudo-obstruction Intestinal resection Intestinal sepsis Intestinal stenosis Intestinal stent insertion Intestinal strangulation Intestinal transit time Intestinal transit time abnormal Intestinal transit time decreased Intestinal transit time increased Intestinal tuberculosis Intestinal ulcer Intestinal vascular disorder Intestinal villi atrophy Intoxication by breast feeding Intra-abdominal fluid collection Intra-abdominal haemangioma Intra-abdominal haematoma Intra-abdominal haemorrhage Intra-abdominal pressure increased Intra-aortic balloon placement Intra-cerebral aneurysm operation Intra-ocular injection Intra-thoracic aortic aneurysm repair Intra-uterine contraceptive device insertion Intra-uterine contraceptive device removal Intra-uterine death Intracardiac mass Intracardiac pressure increased Intracardiac thrombus Intracerebral haematoma evacuation Intracranial aneurysm Intracranial artery dissection Intracranial contrast-enhanced magnetic resonance venography Intracranial haemangioma Intracranial haematoma Intracranial haemorrhage neonatal Intracranial hypotension Intracranial infection Intracranial lipoma Intracranial mass Intracranial pressure increased Intracranial venous sinus thrombosis Intraductal papillary mucinous neoplasm Intraductal papilloma of breast Intraductal proliferative breast lesion Intrahepatic portal hepatic venous fistula Intramammary lymph node Intramedullary rod insertion Intranasal hypoaesthesia Intranasal paraesthesia Intraocular lens implant Intraocular pressure decreased Intraocular pressure increased Intraocular pressure test Intraocular pressure test abnormal Intraocular pressure test normal Intraoperative neurophysiologic monitoring Intraosseous access placement Intrapartum haemorrhage Intrapericardial thrombosis Intratumoural haematoma Intratympanic injection Intrauterine contraception Intrauterine infection Intravascular haemolysis Intravascular papillary endothelial hyperplasia Intraventricular haemorrhage Intraventricular haemorrhage neonatal Intravesical immunotherapy Intrinsic factor antibody Intrinsic factor antibody negative Intrinsic factor antibody positive Intrusive thoughts Intubation Intussusception Invasive breast carcinoma Invasive ductal breast carcinoma Invasive lobular breast carcinoma Invasive papillary breast carcinoma Investigation Investigation abnormal Investigation noncompliance Investigation normal Iodine allergy Iodine uptake Iodine uptake abnormal Iodine uptake decreased Iodine uptake increased Iodine uptake normal Iontophoresis Iridectomy Iridocele Iridocorneal endothelial syndrome Iridocyclitis Iridodialysis Iridotomy Iris adhesions Iris bombe Iris coloboma Iris cyst Iris discolouration Iris disorder Iris haemorrhage Iris hypopigmentation Iris injury Iris neovascularisation Iritis Irlen syndrome Iron binding capacity total Iron binding capacity total abnormal Iron binding capacity total decreased Iron binding capacity total increased Iron binding capacity total normal Iron binding capacity unsaturated Iron binding capacity unsaturated decreased Iron deficiency Iron deficiency anaemia Iron metabolism disorder Iron overload Irregular breathing Irregular sleep phase Irregular sleep wake rhythm disorder Irrigation therapy Irritability Irritability postvaccinal Irritable bowel syndrome Ischaemia Ischaemic cardiomyopathy Ischaemic cerebral infarction Ischaemic contracture of the left ventricle Ischaemic demyelination Ischaemic enteritis Ischaemic hepatitis Ischaemic limb pain Ischaemic neuropathy Ischaemic skin ulcer Ischaemic stroke Isocitrate dehydrogenase gene mutation Isoimmune haemolytic disease Itching scar JC polyomavirus test JC polyomavirus test negative JC polyomavirus test positive JC virus CSF test positive JC virus infection JC virus test JC virus test negative JC virus test positive Jamais vu Janeway lesion Janus kinase 2 mutation Japanese spotted fever Jarisch-Herxheimer reaction Jaundice Jaundice acholuric Jaundice cholestatic Jaundice hepatocellular Jaundice neonatal Jaw clicking Jaw cyst Jaw disorder Jaw fistula Jaw fracture Jaw lesion excision Jaw operation Jealous delusion Jejunal perforation Jejunostomy Jessner's lymphocytic infiltration Job change Job dissatisfaction Joint abscess Joint adhesion Joint ankylosis Joint arthroplasty Joint capsule rupture Joint contracture Joint crepitation Joint debridement Joint deposit Joint destruction Joint dislocation Joint dislocation postoperative Joint dislocation reduction Joint effusion Joint fluid drainage Joint hyperextension Joint impingement Joint injection Joint injury Joint instability Joint irrigation Joint laxity Joint lock Joint manipulation Joint microhaemorrhage Joint noise Joint position sense decreased Joint prosthesis user Joint range of motion decreased Joint range of motion measurement Joint resurfacing surgery Joint space narrowing Joint sprain Joint stabilisation Joint stiffness Joint surgery Joint swelling Joint tuberculosis Joint vibration Joint warmth Judgement impaired Jugular vein distension Jugular vein embolism Jugular vein haemorrhage Jugular vein occlusion Jugular vein thrombosis Juvenile absence epilepsy Juvenile arthritis Juvenile idiopathic arthritis Juvenile myoclonic epilepsy Juvenile polymyositis Juvenile psoriatic arthritis K-ras gene mutation KL-6 KL-6 increased Kabuki make-up syndrome Kaolin cephalin clotting time Kaolin cephalin clotting time normal Kaolin cephalin clotting time prolonged Kaolin cephalin clotting time shortened Kaposi's sarcoma Kaposi's sarcoma AIDS related Kaposi's varicelliform eruption Karnofsky scale Karyotype analysis Karyotype analysis abnormal Karyotype analysis normal Kawasaki's disease Kearns-Sayre syndrome Keloid scar Keratic precipitates Keratinising squamous cell carcinoma of nasopharynx Keratitis Keratitis bacterial Keratitis fungal Keratitis herpetic Keratitis interstitial Keratitis viral Keratoacanthoma Keratoconus Keratoderma blenorrhagica Keratolysis exfoliativa acquired Keratometry Keratomileusis Keratopathy Keratoplasty Keratosis follicular Keratosis obturans Keratosis pilaris Keratouveitis Kernig's sign Ketoacidosis Ketogenic diet Ketonuria Ketosis Ketosis-prone diabetes mellitus Kidney congestion Kidney contusion Kidney duplex Kidney enlargement Kidney fibrosis Kidney infection Kidney malformation Kidney malrotation Kidney rupture Kidney small Kidney transplant rejection Kinematic imbalances due to suboccipital strain Kinesiophobia Kinesitherapy Klebsiella bacteraemia Klebsiella infection Klebsiella sepsis Klebsiella test Klebsiella test positive Klebsiella urinary tract infection Kleihauer-Betke test Kleihauer-Betke test negative Klinefelter's syndrome Kluver-Bucy syndrome Knee arthroplasty Knee deformity Knee meniscectomy Knee operation Knuckle pads Koebner phenomenon Kohler's disease Koilonychia Korsakoff's syndrome Kounis syndrome Krabbe's disease Kussmaul respiration Kyphoscoliosis Kyphosis LDL/HDL ratio LDL/HDL ratio decreased LDL/HDL ratio increased LE cells LE cells present Labelled drug-disease interaction medication error Labelled drug-drug interaction issue Labelled drug-drug interaction medication error Labelled drug-food interaction medication error Labia enlarged Labial tie Labile blood pressure Labile hypertension Laboratory test Laboratory test abnormal Laboratory test interference Laboratory test normal Labour augmentation Labour complication Labour induction Labour onset delayed Labour pain Labour stimulation Labyrinthine fistula Labyrinthitis Laceration Lack of administration site rotation Lack of injection site rotation Lack of satiety Lack of spontaneous speech Lack of vaccination site rotation Lacrimal cyst Lacrimal disorder Lacrimal gland enlargement Lacrimal gland operation Lacrimal haemorrhage Lacrimal structural disorder Lacrimation decreased Lacrimation disorder Lacrimation increased Lactase deficiency Lactate dehydrogenase urine Lactate pyruvate ratio Lactate pyruvate ratio abnormal Lactate pyruvate ratio normal Lactation disorder Lactation insufficiency Lactation puerperal increased Lactic acidosis Lactobacillus infection Lactobacillus test positive Lactose intolerance Lactose tolerance test Lactose tolerance test abnormal Lactose tolerance test normal Lacunar infarction Lacunar stroke Lagophthalmos Lambl's excrescences Langerhans' cell granulomatosis Langerhans' cell histiocytosis Language disorder Laparoscopic surgery Laparoscopy Laparoscopy abnormal Laparoscopy normal Laparotomy Large cell lung cancer Large fibre neuropathy Large for dates baby Large granular lymphocytosis Large intestinal haemorrhage Large intestinal obstruction Large intestinal obstruction reduction Large intestinal polypectomy Large intestinal stenosis Large intestinal ulcer Large intestinal ulcer haemorrhage Large intestine anastomosis Large intestine benign neoplasm Large intestine erosion Large intestine infection Large intestine operation Large intestine perforation Large intestine polyp Laryngeal cancer Laryngeal cancer stage IV Laryngeal discomfort Laryngeal disorder Laryngeal dyspnoea Laryngeal erythema Laryngeal haematoma Laryngeal haemorrhage Laryngeal hypertrophy Laryngeal inflammation Laryngeal injury Laryngeal mask airway insertion Laryngeal mass Laryngeal neoplasm Laryngeal nerve dysfunction Laryngeal nerve palsy Laryngeal obstruction Laryngeal oedema Laryngeal operation Laryngeal pain Laryngeal papilloma Laryngeal stenosis Laryngeal stroboscopy Laryngeal tremor Laryngeal ulceration Laryngeal ventricle prolapse Laryngectomy Laryngitis Laryngitis allergic Laryngitis bacterial Laryngitis viral Laryngomalacia Laryngopharyngitis Laryngoscopy Laryngoscopy abnormal Laryngoscopy normal Laryngospasm Laryngotracheal oedema Laryngotracheitis obstructive Laryngotracheobronchoscopy Larynx irritation Lasegue's test Lasegue's test negative Lasegue's test positive Laser doppler flowmetry Laser speckle contrast imaging Laser therapy Latent autoimmune diabetes in adults Latent syphilis Latent tetany Latent tuberculosis Lateral medullary syndrome Lateral position Lateropulsion Latex allergy Laziness Lead dislodgement Lead urine increased Lead urine normal Learning disability Learning disorder Left atrial appendage closure implant Left atrial dilatation Left atrial enlargement Left atrial hypertrophy Left atrial volume increased Left ventricle outflow tract obstruction Left ventricular dilatation Left ventricular dysfunction Left ventricular end-diastolic pressure Left ventricular end-diastolic pressure decreased Left ventricular end-diastolic pressure increased Left ventricular enlargement Left ventricular failure Left ventricular false tendon Left ventricular hypertrophy Left-handedness Left-to-right cardiac shunt Leg amputation Legal problem Legionella infection Legionella serology Legionella test Legionella test positive Leiomyoma Leiomyosarcoma Lemierre syndrome Length at birth Lennox-Gastaut syndrome Lens disorder Lens extraction Lenticular opacities Lenticular pigmentation Lenticulostriatal vasculopathy Lentigo Lentigo maligna Lentivirus test positive Lepromatous leprosy Leprosy Leptospira test Leptospira test positive Leptospirosis Leriche syndrome Leser-Trelat sign Lesion excision Lethargy Leucine aminopeptidase Leucine aminopeptidase increased Leukaemia Leukaemia granulocytic Leukaemia in remission Leukaemia monocytic Leukaemia recurrent Leukaemic infiltration Leukaemic lymphoma Leukaemoid reaction Leukoaraiosis Leukocyte alkaline phosphatase Leukocyte alkaline phosphatase increased Leukocyte antigen B-27 positive Leukocyte vacuolisation Leukocytoclastic vasculitis Leukocytosis Leukocyturia Leukoderma Leukodystrophy Leukoencephalomyelitis Leukoencephalopathy Leukoerythroblastic anaemia Leukonychia Leukopenia Leukoplakia Leukoplakia oral Leukostasis syndrome Leukotriene test Lewis-Sumner syndrome Lhermitte's sign Libido decreased Libido disorder Libido increased Lice infestation Lichen nitidus Lichen planopilaris Lichen planus Lichen sclerosus Lichen striatus Lichenification Lichenoid keratosis Lid lag Lid margin discharge Lid sulcus deepened Life expectancy shortened Life support Ligament calcification Ligament disorder Ligament injury Ligament laxity Ligament operation Ligament pain Ligament rupture Ligament sprain Ligamentitis Ligamentum flavum hypertrophy Light anaesthesia Light chain analysis Light chain analysis abnormal Light chain analysis decreased Light chain analysis increased Light chain analysis normal Light chain disease Limb amputation Limb asymmetry Limb crushing injury Limb deformity Limb discomfort Limb fracture Limb girth decreased Limb girth increased Limb hypoplasia congenital Limb immobilisation Limb injury Limb malformation Limb mass Limb operation Limb prosthesis user Limb reconstructive surgery Limb reduction defect Limbal swelling Limbic encephalitis Limited symptom panic attack Linear IgA disease Lip and/or oral cavity cancer Lip and/or oral cavity cancer recurrent Lip blister Lip cosmetic procedure Lip discolouration Lip disorder Lip dry Lip erosion Lip erythema Lip exfoliation Lip haematoma Lip haemorrhage Lip infection Lip injury Lip lesion excision Lip neoplasm Lip neoplasm malignant stage unspecified Lip oedema Lip operation Lip pain Lip pruritus Lip scab Lip swelling Lip ulceration Lipaemic index score Lipase Lipase abnormal Lipase decreased Lipase increased Lipase normal Lipase urine Lipectomy Lipid metabolism disorder Lipids Lipids abnormal Lipids decreased Lipids increased Lipids normal Lipoatrophy Lipodystrophy acquired Lipoedema Lipohypertrophy Lipoma Lipoma excision Lipomatosis Lipoprotein (a) Lipoprotein (a) abnormal Lipoprotein (a) increased Lipoprotein (a) normal Lipoprotein abnormal Lipoprotein deficiency Lipoprotein increased Lipoprotein-associated phospholipase A2 Liposarcoma Liposuction Liquid product physical issue Lissencephaly Listeria test Listeria test positive Listeriosis Listless Lithiasis Lithotripsy Live birth Livedo reticularis Liver abscess Liver carcinoma ruptured Liver contusion Liver dialysis Liver disorder Liver function test Liver function test abnormal Liver function test decreased Liver function test increased Liver function test normal Liver induration Liver injury Liver iron concentration decreased Liver opacity Liver operation Liver palpable Liver palpable subcostal Liver sarcoidosis Liver scan Liver scan abnormal Liver scan normal Liver tenderness Liver transplant Liver transplant failure Liver transplant rejection Liver-kidney microsomal antibody Lividity Living alone Living in residential institution Lobar pneumonia Lobular breast carcinoma in situ Local anaesthesia Local reaction Local swelling Localised alternating hot and cold therapy Localised infection Localised intraabdominal fluid collection Localised oedema Lochial infection Locked-in syndrome Locomotive syndrome Loeffler's syndrome Loefgren syndrome Logorrhoea Long QT syndrome Long thoracic nerve palsy Loop electrosurgical excision procedure Loose associations Loose body in joint Loose tooth Lordosis Loss of bladder sensation Loss of consciousness Loss of control of legs Loss of dreaming Loss of employment Loss of libido Loss of personal independence in daily activities Loss of proprioception Loss of therapeutic response Loss of visual contrast sensitivity Low birth weight baby Low carbohydrate diet Low cardiac output syndrome Low density lipoprotein Low density lipoprotein abnormal Low density lipoprotein decreased Low density lipoprotein increased Low density lipoprotein normal Low income Low lung compliance Low set ears Lower extremity mass Lower gastrointestinal haemorrhage Lower gastrointestinal perforation Lower limb artery perforation Lower limb fracture Lower motor neurone lesion Lower respiratory tract congestion Lower respiratory tract infection Lower respiratory tract infection bacterial Lower respiratory tract infection fungal Lower respiratory tract infection viral Lower respiratory tract inflammation Lower urinary tract symptoms Ludwig angina Lumbar hernia Lumbar puncture Lumbar puncture abnormal Lumbar puncture normal Lumbar radiculopathy Lumbar spinal stenosis Lumbar spine flattening Lumbar vertebral fracture Lumbarisation Lumboperitoneal shunt Lumbosacral plexopathy Lumbosacral plexus injury Lumbosacral plexus lesion Lumbosacral radiculopathy Lumbosacral radiculoplexus neuropathy Lung abscess Lung adenocarcinoma Lung adenocarcinoma metastatic Lung adenocarcinoma recurrent Lung adenocarcinoma stage III Lung adenocarcinoma stage IV Lung assist device therapy Lung cancer metastatic Lung carcinoma cell type unspecified recurrent Lung carcinoma cell type unspecified stage 0 Lung carcinoma cell type unspecified stage I Lung carcinoma cell type unspecified stage III Lung carcinoma cell type unspecified stage IV Lung consolidation Lung cyst Lung diffusion disorder Lung diffusion test Lung diffusion test decreased Lung disorder Lung hernia Lung hyperinflation Lung hypoinflation Lung induration Lung infection Lung infiltration Lung lobectomy Lung neoplasm Lung neoplasm malignant Lung neoplasm surgery Lung opacity Lung operation Lung perforation Lung squamous cell carcinoma stage IV Lung transplant Lung transplant rejection Lupus anticoagulant hypoprothrombinaemia syndrome Lupus cystitis Lupus endocarditis Lupus enteritis Lupus hepatitis Lupus miliaris disseminatus faciei Lupus myositis Lupus nephritis Lupus vasculitis Lupus vulgaris Lupus-like syndrome Luteal phase deficiency Lyme carditis Lyme disease Lymph gland infection Lymph node abscess Lymph node calcification Lymph node fibrosis Lymph node haemorrhage Lymph node pain Lymph node palpable Lymph node rupture Lymph node tuberculosis Lymph node ulcer Lymph nodes scan abnormal Lymph nodes scan normal Lymphadenectomy Lymphadenitis Lymphadenitis bacterial Lymphadenitis viral Lymphadenopathy Lymphadenopathy mediastinal Lymphangiectasia Lymphangiectasia intestinal Lymphangiogram Lymphangioleiomyomatosis Lymphangioma Lymphangiopathy Lymphangiosis carcinomatosa Lymphangitis Lymphatic disorder Lymphatic duct injury Lymphatic fistula Lymphatic insufficiency Lymphatic malformation Lymphatic mapping Lymphatic obstruction Lymphatic system neoplasm Lymphoblast count Lymphoblast count increased Lymphocele Lymphocyte adoptive therapy Lymphocyte count Lymphocyte count abnormal Lymphocyte count decreased Lymphocyte count increased Lymphocyte count normal Lymphocyte morphology Lymphocyte morphology abnormal Lymphocyte morphology normal Lymphocyte percentage Lymphocyte percentage abnormal Lymphocyte percentage decreased Lymphocyte percentage increased Lymphocyte stimulation test Lymphocyte stimulation test negative Lymphocyte stimulation test positive Lymphocyte transformation test Lymphocytic hypophysitis Lymphocytic infiltration Lymphocytic leukaemia Lymphocytic lymphoma Lymphocytosis Lymphoedema Lymphohistiocytosis Lymphoid hyperplasia of appendix Lymphoid hyperplasia of intestine Lymphoid tissue hyperplasia Lymphoid tissue operation Lymphoma Lymphomatoid papulosis Lymphopenia Lymphoplasia Lymphoplasmacytoid lymphoma/immunocytoma Lymphoplasmacytoid lymphoma/immunocytoma stage IV Lymphoproliferative disorder Lymphorrhoea Lymphostasis Lysinuric protein intolerance Lysozyme Lysozyme increased Lyssavirus test positive MAGIC syndrome MELAS syndrome MERS-CoV test MERS-CoV test negative MPL gene mutation Macroangiopathy Macrocephaly Macrocytosis Macroglossia Macrophage activation Macrophage count Macrophage inflammatory protein-1 alpha decreased Macrophage inflammatory protein-1 alpha increased Macrophages decreased Macrophages increased Macroprolactinaemia Macrosomia Macula thickness measurement Macular cherry-red spots Macular degeneration Macular detachment Macular fibrosis Macular hole Macular ischaemia Macular oedema Macular opacity Macular pigmentation Macular pseudohole Macular rupture Macular scar Macular telangiectasia Macular thickening Macule Maculopathy Madarosis Magnesium deficiency Magnetic resonance cholangiopancreatography Magnetic resonance elastography Magnetic resonance imaging Magnetic resonance imaging abdominal Magnetic resonance imaging abdominal abnormal Magnetic resonance imaging abdominal normal Magnetic resonance imaging abnormal Magnetic resonance imaging brain Magnetic resonance imaging brain abnormal Magnetic resonance imaging brain normal Magnetic resonance imaging breast Magnetic resonance imaging breast abnormal Magnetic resonance imaging breast normal Magnetic resonance imaging head Magnetic resonance imaging head abnormal Magnetic resonance imaging head normal Magnetic resonance imaging heart Magnetic resonance imaging hepatobiliary Magnetic resonance imaging hepatobiliary abnormal Magnetic resonance imaging joint Magnetic resonance imaging liver abnormal Magnetic resonance imaging neck Magnetic resonance imaging normal Magnetic resonance imaging pancreas Magnetic resonance imaging pelvic Magnetic resonance imaging renal Magnetic resonance imaging spinal Magnetic resonance imaging spinal abnormal Magnetic resonance imaging spinal normal Magnetic resonance imaging thoracic Magnetic resonance imaging thoracic abnormal Magnetic resonance imaging thoracic normal Magnetic resonance imaging whole body Magnetic resonance neurography Magnetic therapy Maisonneuve fracture Major depression Malabsorption Malabsorption from administration site Malaise Malaria Malaria antibody positive Malaria antibody test Malaria antibody test negative Malaria antibody test positive Malaria antigen test Malaria recrudescence Malaria relapse Malassezia infection Male genital examination abnormal Male reproductive tract disorder Male sexual dysfunction Malformation venous Malignant ascites Malignant atrophic papulosis Malignant breast lump removal Malignant dysphagia Malignant fibrous histiocytoma Malignant gastrointestinal obstruction Malignant hypertension Malignant lymphoid neoplasm Malignant mediastinal neoplasm Malignant melanoma Malignant melanoma in situ Malignant melanoma stage II Malignant melanoma stage IV Malignant neoplasm of ampulla of Vater Malignant neoplasm of eye Malignant neoplasm of renal pelvis Malignant neoplasm of spinal cord Malignant neoplasm of thorax Malignant neoplasm of unknown primary site Malignant neoplasm progression Malignant neoplasm removal Malignant nervous system neoplasm Malignant nipple neoplasm female Malignant oligodendroglioma Malignant palate neoplasm Malignant peritoneal neoplasm Malignant pleural effusion Malignant renal hypertension Malignant respiratory tract neoplasm Malignant splenic neoplasm Malignant tumour excision Malignant urinary tract neoplasm metastatic Mallampati score Mallet finger Mallory-Weiss syndrome Malnutrition Malocclusion Malpositioned teeth Mammary duct ectasia Mammary ductectomy Mammogram Mammogram abnormal Mammogram normal Mammoplasty Man-in-the-barrel syndrome Mandibular mass Manganese Manganese increased Manganese normal Mania Manic symptom Manifest refraction Manifest refraction normal Manipulation Mannose-binding lectin deficiency Mantle cell lymphoma Mantle cell lymphoma recurrent Manual lymphatic drainage Manufacturing issue Manufacturing laboratory controls issue Manufacturing materials issue Manufacturing product shipping issue Marasmus Marburg's variant multiple sclerosis Marcus Gunn syndrome Marfan's syndrome Marginal zone lymphoma Marital problem Marjolin's ulcer Marrow hyperplasia Masked facies Mass Mass excision Massage Mast cell activation syndrome Mast cell degranulation present Mast cell degranulation test Mastectomy Mastication disorder Masticatory pain Mastitis Mastitis bacterial Mastitis postpartum Mastocytoma Mastocytosis Mastoid abscess Mastoid disorder Mastoid effusion Mastoid exploration Mastoid operation Mastoidectomy Mastoiditis Mastoptosis Maternal condition affecting foetus Maternal death during childbirth Maternal distress during labour Maternal drugs affecting foetus Maternal exposure before pregnancy Maternal exposure during breast feeding Maternal exposure during delivery Maternal exposure during pregnancy Maternal exposure timing unspecified Maternal exposure via partner during pregnancy Maternal therapy to enhance foetal lung maturity Matrix metalloproteinase-3 Matrix metalloproteinase-3 increased Maxillofacial operation Maxillofacial pain Maximal voluntary ventilation Maximal voluntary ventilation increased Maximum heart rate Maximum heart rate increased May-Thurner syndrome Mean arterial pressure Mean arterial pressure decreased Mean arterial pressure increased Mean cell haemoglobin Mean cell haemoglobin concentration Mean cell haemoglobin concentration abnormal Mean cell haemoglobin concentration decreased Mean cell haemoglobin concentration increased Mean cell haemoglobin concentration normal Mean cell haemoglobin decreased Mean cell haemoglobin increased Mean cell haemoglobin normal Mean cell volume Mean cell volume abnormal Mean cell volume decreased Mean cell volume increased Mean cell volume normal Mean platelet volume Mean platelet volume abnormal Mean platelet volume decreased Mean platelet volume increased Mean platelet volume normal Measles Measles antibody Measles antibody negative Measles antibody positive Measles post vaccine Mechanic's hand Mechanical ileus Mechanical urticaria Mechanical ventilation Mechanical ventilation complication Meconium abnormal Meconium aspiration syndrome Meconium in amniotic fluid Meconium increased Meconium peritonitis Meconium stain Medial tibial stress syndrome Median nerve injury Mediastinal abscess Mediastinal biopsy Mediastinal cyst Mediastinal disorder Mediastinal effusion Mediastinal haematoma Mediastinal haemorrhage Mediastinal mass Mediastinal operation Mediastinal shift Mediastinitis Mediastinoscopy Mediastinum neoplasm Medical cannabis therapy Medical counselling Medical device battery replacement Medical device change Medical device complication Medical device discomfort Medical device implantation Medical device pain Medical device removal Medical device site burn Medical device site cyst Medical device site discomfort Medical device site erythema Medical device site fistula Medical device site haemorrhage Medical device site induration Medical device site inflammation Medical device site joint infection Medical device site joint inflammation Medical device site joint pain Medical device site joint swelling Medical device site pain Medical device site pruritus Medical device site rash Medical device site reaction Medical device site scar Medical device site swelling Medical device site thrombosis Medical diet Medical induction of coma Medical observation Medical observation normal Medical procedure Medication dilution Medication error Medication overuse headache Medication residue Medulloblastoma Megacolon Megakaryocytes Megakaryocytes abnormal Megakaryocytes decreased Megakaryocytes increased Megakaryocytes normal Megaloblasts increased Meibomian gland dysfunction Meibomianitis Meige's syndrome Meigs' syndrome Melaena Melanocytic hyperplasia Melanocytic naevus Melanoderma Melanodermia Melanoma recurrent Melanosis Melanosis coli Melkersson-Rosenthal syndrome Memory impairment Menarche Mendelson's syndrome Meniere's disease Meningeal disorder Meningeal neoplasm Meningeal thickening Meningioma Meningioma benign Meningism Meningitis Meningitis Escherichia Meningitis aseptic Meningitis bacterial Meningitis borrelia Meningitis chemical Meningitis coxsackie viral Meningitis cryptococcal Meningitis enteroviral Meningitis haemophilus Meningitis herpes Meningitis meningococcal Meningitis neonatal Meningitis noninfective Meningitis pneumococcal Meningitis staphylococcal Meningitis streptococcal Meningitis tuberculous Meningitis viral Meningocele Meningocele acquired Meningococcal bacteraemia Meningococcal infection Meningococcal sepsis Meningoencephalitis bacterial Meningoencephalitis herpetic Meningoencephalitis viral Meningomyelitis herpes Meningomyelocele Meningoradiculitis Meningorrhagia Meniscal degeneration Meniscus cyst Meniscus injury Meniscus lesion Meniscus operation Meniscus removal Menometrorrhagia Menopausal disorder Menopausal symptoms Menopause Menopause delayed Menorrhagia Menstrual clots Menstrual cycle management Menstrual discomfort Menstrual disorder Menstrual headache Menstruation delayed Menstruation irregular Menstruation normal Mental disability Mental disorder Mental disorder due to a general medical condition Mental fatigue Mental impairment Mental retardation Mental retardation severity unspecified Mental status changes Meralgia paraesthetica Merycism Mesangioproliferative glomerulonephritis Mesenteric abscess Mesenteric arterial occlusion Mesenteric arteriosclerosis Mesenteric artery aneurysm Mesenteric artery embolism Mesenteric artery stenosis Mesenteric artery stent insertion Mesenteric artery thrombosis Mesenteric cyst Mesenteric haematoma Mesenteric haemorrhage Mesenteric lymphadenitis Mesenteric lymphadenopathy Mesenteric neoplasm Mesenteric panniculitis Mesenteric vascular insufficiency Mesenteric vascular occlusion Mesenteric vein thrombosis Mesenteric venous occlusion Mesenteritis Mesothelioma Mesothelioma malignant Metabolic acidosis Metabolic alkalosis Metabolic disorder Metabolic encephalopathy Metabolic function test Metabolic function test abnormal Metabolic function test normal Metabolic myopathy Metabolic surgery Metabolic syndrome Metachromatic leukodystrophy Metal poisoning Metamorphopsia Metamyelocyte count Metamyelocyte count increased Metamyelocyte percentage Metamyelocyte percentage increased Metanephrine urine Metanephrine urine increased Metanephrine urine normal Metaphyseal dysplasia Metaplasia Metapneumovirus infection Metapneumovirus pneumonia Metastases to abdominal cavity Metastases to abdominal wall Metastases to adrenals Metastases to bone Metastases to bone marrow Metastases to breast Metastases to central nervous system Metastases to chest wall Metastases to heart Metastases to kidney Metastases to liver Metastases to lung Metastases to lymph nodes Metastases to meninges Metastases to neck Metastases to nervous system Metastases to oesophagus Metastases to ovary Metastases to pancreas Metastases to pelvis Metastases to peritoneum Metastases to pituitary gland Metastases to pleura Metastases to rectum Metastases to skin Metastases to soft tissue Metastases to spinal cord Metastases to spine Metastases to spleen Metastases to stomach Metastases to testicle Metastases to the mediastinum Metastases to trachea Metastases to vagina Metastasis Metastatic bronchial carcinoma Metastatic carcinoid tumour Metastatic carcinoma of the bladder Metastatic cutaneous Crohn's disease Metastatic gastric cancer Metastatic lymphoma Metastatic malignant melanoma Metastatic neoplasm Metastatic renal cell carcinoma Metastatic salivary gland cancer Metastatic squamous cell carcinoma Metastatic uterine cancer Metatarsalgia Meteoropathy Methaemoglobin urine absent Methaemoglobinaemia Methicillin-resistant staphylococcal aureus test Methicillin-resistant staphylococcal aureus test negative Methicillin-resistant staphylococcal aureus test positive Methylenetetrahydrofolate reductase deficiency Methylenetetrahydrofolate reductase gene mutation Methylenetetrahydrofolate reductase polymorphism Methylmalonic aciduria Metrorrhagia Metrorrhoea Mevalonate kinase deficiency Microagglutination test Microalbuminuria Microangiopathic haemolytic anaemia Microangiopathy Microbiology test Microbiology test abnormal Microbiology test normal Microcephaly Micrococcus infection Micrococcus test positive Microcytic anaemia Microcytosis Microembolism Microencephaly Microgenia Micrognathia Micrographia Micrographic skin surgery Microlithiasis Micropenis Microphthalmos Microscopic polyangiitis Microscopy Microsleep Microsomia Microtia Microvascular coronary artery disease Microvascular cranial nerve palsy Microvillous inclusion disease Micturition disorder Micturition frequency decreased Micturition urgency Middle East respiratory syndrome Middle ear disorder Middle ear effusion Middle ear inflammation Middle insomnia Middle lobe syndrome Migraine Migraine prophylaxis Migraine with aura Migraine without aura Migraine-triggered seizure Mild mental retardation Milia Miliaria Military service Milk allergy Milk soy protein intolerance Milk-alkali syndrome Millard-Gubler syndrome Miller Fisher syndrome Mineral deficiency Mineral metabolism disorder Mineral supplementation Mini mental status examination Mini mental status examination abnormal Mini mental status examination normal Mini-tracheostomy Minimal residual disease Minimum inhibitory concentration Minimum inhibitory concentration increased Miosis Misleading laboratory test result Misophonia Missed labour Mite allergy Mitochondrial DNA deletion Mitochondrial DNA mutation Mitochondrial cytopathy Mitochondrial encephalomyopathy Mitochondrial enzyme deficiency Mitochondrial myopathy Mitochondrial myopathy acquired Mitochondrial toxicity Mitogen stimulation test Mitogen stimulation test normal Mitral valve atresia Mitral valve calcification Mitral valve disease Mitral valve incompetence Mitral valve prolapse Mitral valve repair Mitral valve replacement Mitral valve sclerosis Mitral valve stenosis Mitral valve thickening Mixed anxiety and depressive disorder Mixed connective tissue disease Mixed deafness Mixed delusion Mixed incontinence Mixed liver injury Mixed receptive-expressive language disorder Moaning Mobility decreased Model for end stage liver disease score Model for end stage liver disease score increased Moderate mental retardation Modified Rankin score Modified Rankin score decreased Moebius II syndrome Molar abortion Mole excision Molluscum contagiosum Monarthritis Monkeypox Monoblast count Monoblast count increased Monoclonal B-cell lymphocytosis Monoclonal antibody immunoconjugate therapy Monoclonal antibody unconjugated therapy Monoclonal gammopathy Monoclonal immunoglobulin Monoclonal immunoglobulin increased Monoclonal immunoglobulin present Monocyte count Monocyte count abnormal Monocyte count decreased Monocyte count increased Monocyte count normal Monocyte morphology Monocyte morphology abnormal Monocyte percentage Monocyte percentage abnormal Monocyte percentage decreased Monocyte percentage increased Monocytopenia Monocytosis Monofilament pressure perception test Monofilament pressure perception test abnormal Monomelic amyotrophy Mononeuritis Mononeuropathy Mononeuropathy multiplex Mononuclear cell count Mononuclear cell count abnormal Mononuclear cell count increased Mononuclear cell percentage Mononucleosis heterophile test Mononucleosis heterophile test negative Mononucleosis heterophile test positive Mononucleosis syndrome Monoparesis Monoplegia Montreal cognitive assessment Montreal cognitive assessment abnormal Mood altered Mood disorder due to a general medical condition Mood swings Moraxella infection Moraxella test positive Morbid thoughts Morbillivirus test positive Morganella infection Morganella test Morganella test positive Morning sickness Morose Morphoea Morton's neuralgia Morton's neuroma Morvan syndrome Motion sickness Motor developmental delay Motor dysfunction Motor neurone disease Mouth breathing Mouth cyst Mouth haemorrhage Mouth injury Mouth plaque Mouth swelling Mouth ulceration Movement disorder Moyamoya disease Mucinous adenocarcinoma of appendix Mucinous breast carcinoma Mucocutaneous candidiasis Mucocutaneous disorder Mucocutaneous haemorrhage Mucocutaneous rash Mucocutaneous ulceration Mucopolysaccharidosis II Mucormycosis Mucosa vesicle Mucosal atrophy Mucosal biopsy Mucosal discolouration Mucosal disorder Mucosal dryness Mucosal erosion Mucosal excoriation Mucosal exfoliation Mucosal haemorrhage Mucosal hyperaemia Mucosal hypertrophy Mucosal infection Mucosal inflammation Mucosal necrosis Mucosal pain Mucosal pigmentation Mucosal ulceration Mucous membrane disorder Mucous membrane pemphigoid Mucous stools Multi-organ disorder Multi-organ failure Multi-vitamin deficiency Multifocal micronodular pneumocyte hyperplasia Multifocal motor neuropathy Multigravida Multimorbidity Multiparous Multipathogen PCR test Multipathogen PCR test positive Multiple allergies Multiple chemical sensitivity Multiple congenital abnormalities Multiple drug therapy Multiple epiphyseal dysplasia Multiple fractures Multiple gated acquisition scan Multiple gated acquisition scan abnormal Multiple gated acquisition scan normal Multiple injuries Multiple myeloma Multiple organ dysfunction syndrome Multiple pregnancy Multiple sclerosis Multiple sclerosis plaque Multiple sclerosis pseudo relapse Multiple sclerosis relapse Multiple sclerosis relapse prophylaxis Multiple system atrophy Multiple use of single-use product Multiple-drug resistance Multisystem inflammatory syndrome Multisystem inflammatory syndrome in adults Multisystem inflammatory syndrome in children Mumps Mumps antibody test Mumps antibody test negative Mumps antibody test positive Murder Murine typhus Murphy's sign positive Murphy's sign test Muscle abscess Muscle atrophy Muscle contractions involuntary Muscle contracture Muscle contusion Muscle discomfort Muscle disorder Muscle electrostimulation therapy Muscle enzyme Muscle enzyme increased Muscle fatigue Muscle fibrosis Muscle haemorrhage Muscle hernia Muscle hypertrophy Muscle hypoxia Muscle infarction Muscle injury Muscle mass Muscle necrosis Muscle neoplasm Muscle oedema Muscle operation Muscle reattachment Muscle release Muscle rigidity Muscle rupture Muscle spasms Muscle spasticity Muscle strain Muscle strength abnormal Muscle strength normal Muscle swelling Muscle tension dysphonia Muscle tightness Muscle tone disorder Muscle twitching Muscular dystrophy Muscular weakness Musculoskeletal chest pain Musculoskeletal deformity Musculoskeletal discomfort Musculoskeletal disorder Musculoskeletal foreign body Musculoskeletal injury Musculoskeletal pain Musculoskeletal stiffness Musical ear syndrome Mutagenic effect Mutism Myalgia Myalgia intercostal Myasthenia gravis Myasthenia gravis crisis Myasthenic syndrome Mycetoma mycotic Mycobacteria test Mycobacterial infection Mycobacterium avium complex infection Mycobacterium chelonae infection Mycobacterium kansasii infection Mycobacterium test Mycobacterium test negative Mycobacterium test positive Mycobacterium tuberculosis complex test Mycobacterium tuberculosis complex test negative Mycobacterium tuberculosis complex test positive Mycoplasma infection Mycoplasma serology Mycoplasma serology positive Mycoplasma test Mycoplasma test negative Mycoplasma test positive Mycosis fungoides Mycotic allergy Mycotoxicosis Mydriasis Myectomy Myelin oligodendrocyte glycoprotein antibody-associated disease Myelitis Myelitis transverse Myeloblast count Myeloblast percentage Myeloblast percentage increased Myeloblast present Myelocyte count Myelocyte count decreased Myelocyte count increased Myelocyte percentage Myelocyte percentage decreased Myelocyte percentage increased Myelocyte present Myelocytosis Myelodysplastic syndrome Myelodysplastic syndrome unclassifiable Myelofibrosis Myeloid leukaemia Myelolipoma Myeloma cast nephropathy Myeloma recurrence Myelomalacia Myelopathy Myeloperoxidase deficiency Myeloproliferative disorder Myeloproliferative neoplasm Myelosuppression Myocardiac abscess Myocardial bridging Myocardial calcification Myocardial depression Myocardial fibrosis Myocardial haemorrhage Myocardial hypoxia Myocardial infarction Myocardial injury Myocardial ischaemia Myocardial necrosis Myocardial necrosis marker Myocardial necrosis marker increased Myocardial necrosis marker normal Myocardial oedema Myocardial reperfusion injury Myocardial rupture Myocardial strain Myocardial strain imaging Myocardial strain imaging abnormal Myocarditis Myocarditis bacterial Myocarditis infectious Myocarditis mycotic Myocarditis post infection Myocarditis septic Myoclonic dystonia Myoclonic epilepsy Myoclonus Myodesopsia Myofascial pain syndrome Myofascial spasm Myofascitis Myoglobin blood Myoglobin blood absent Myoglobin blood decreased Myoglobin blood increased Myoglobin blood present Myoglobin urine Myoglobin urine absent Myoglobin urine present Myoglobinaemia Myoglobinuria Myokymia Myolipoma Myomectomy Myopathy Myopericarditis Myopia Myopia correction Myopic chorioretinal degeneration Myosclerosis Myositis Myositis ossificans Myotonia Myotonic dystrophy Myringitis Myringitis bullous Myringoplasty Myringotomy Mysophobia Myxoedema Myxoedema coma Myxofibrosarcoma Myxoid cyst Myxoid liposarcoma Myxoma Myxomatous mitral valve degeneration N-telopeptide urine N-terminal prohormone brain natriuretic peptide N-terminal prohormone brain natriuretic peptide abnormal N-terminal prohormone brain natriuretic peptide increased N-terminal prohormone brain natriuretic peptide normal NIH stroke scale NIH stroke scale abnormal NIH stroke scale score decreased NIH stroke scale score increased NPM1 gene mutation NYHA classification Naevoid melanoma Naevus flammeus Naevus haemorrhage Nail aplasia Nail atrophy Nail avulsion Nail bed bleeding Nail bed disorder Nail bed infection Nail bed infection fungal Nail bed inflammation Nail bed tenderness Nail discolouration Nail discomfort Nail disorder Nail dystrophy Nail fold inflammation Nail growth abnormal Nail hypertrophy Nail infection Nail injury Nail matrix biopsy Nail necrosis Nail operation Nail picking Nail pigmentation Nail pitting Nail psoriasis Nail ridging Naprapathy Narcolepsy Nasal abscess Nasal adhesions Nasal aspiration Nasal cavity cancer Nasal cavity mass Nasal cavity packing Nasal congestion Nasal crusting Nasal cyst Nasal discharge discolouration Nasal discomfort Nasal disorder Nasal dryness Nasal flaring Nasal herpes Nasal inflammation Nasal injury Nasal irrigation Nasal mucosa biopsy Nasal mucosa telangiectasia Nasal mucosal blistering Nasal mucosal discolouration Nasal mucosal disorder Nasal mucosal erosion Nasal mucosal hypertrophy Nasal mucosal ulcer Nasal necrosis Nasal obstruction Nasal odour Nasal oedema Nasal operation Nasal polypectomy Nasal polyps Nasal potential difference test Nasal pruritus Nasal septal operation Nasal septum deviation Nasal septum disorder Nasal septum perforation Nasal sinus irrigation Nasal turbinate abnormality Nasal turbinate hypertrophy Nasal ulcer Nasal valve collapse Nasal vestibulitis Nasoendoscopy Nasogastric output abnormal Nasolaryngoscopy Nasopharyngeal aspiration Nasopharyngeal cancer Nasopharyngeal cancer metastatic Nasopharyngeal reflux Nasopharyngeal swab Nasopharyngeal tumour Nasopharyngitis Nasopharyngoscopy Natural killer T cell count Natural killer T cell count decreased Natural killer T cell count increased Natural killer cell activity abnormal Natural killer cell activity decreased Natural killer cell activity normal Natural killer cell activity test Natural killer cell count Natural killer cell count decreased Natural killer cell count increased Naturopathy Nausea Near death experience Near drowning Neck crushing Neck deformity Neck dissection Neck exploration Neck injury Neck lift Neck mass Neck pain Neck surgery Necrobiosis Necrobiosis lipoidica diabeticorum Necrolytic migratory erythema Necrosis Necrosis ischaemic Necrosis of artery Necrotic angiodermatitis Necrotic lymphadenopathy Necrotising colitis Necrotising enterocolitis neonatal Necrotising fasciitis Necrotising fasciitis staphylococcal Necrotising granulomatous lymphadenitis Necrotising herpetic retinopathy Necrotising myositis Necrotising panniculitis Necrotising retinitis Necrotising scleritis Necrotising soft tissue infection Necrotising ulcerative gingivostomatitis Necrotising ulcerative periodontitis Needle biopsy site unspecified abnormal Needle biopsy site unspecified normal Needle fatigue Needle issue Needle track marks Negative thoughts Negativism Neglect of personal appearance Neisseria infection Neisseria test Neisseria test negative Neisseria test positive Nematodiasis Neobladder surgery Neologism Neonatal alloimmune thrombocytopenia Neonatal anoxia Neonatal apnoeic attack Neonatal asphyxia Neonatal aspiration Neonatal candida infection Neonatal cardiac failure Neonatal cholestasis Neonatal cystic fibrosis screen Neonatal deafness Neonatal disorder Neonatal dyspnoea Neonatal epileptic seizure Neonatal gastrointestinal disorder Neonatal hepatomegaly Neonatal hypotension Neonatal hypoxia Neonatal infection Neonatal insufficient breast milk syndrome Neonatal intestinal obstruction Neonatal intestinal perforation Neonatal multi-organ failure Neonatal pneumonia Neonatal pneumothorax Neonatal respiratory acidosis Neonatal respiratory arrest Neonatal respiratory depression Neonatal respiratory distress Neonatal respiratory distress syndrome Neonatal respiratory failure Neonatal seizure Neonatal tachycardia Neonatal tachypnoea Neoplasm Neoplasm malignant Neoplasm of orbit Neoplasm progression Neoplasm prostate Neoplasm recurrence Neoplasm skin Neoplasm swelling Neovaginal infection Neovaginal pain Neovascular age-related macular degeneration Neovascularisation Nephrectasia Nephrectomy Nephritic syndrome Nephritis Nephritis allergic Nephritis bacterial Nephritis interstitial Nephrocalcinosis Nephrogenic anaemia Nephrogenic diabetes insipidus Nephrolithiasis Nephrological examination Nephropathy Nephropathy toxic Nephrosclerosis Nephrostomy Nephrotic syndrome Nephroureterectomy Nerve block Nerve compression Nerve conduction studies Nerve conduction studies abnormal Nerve conduction studies normal Nerve degeneration Nerve injury Nerve root compression Nerve root injury Nerve root injury cervical Nerve root injury lumbar Nerve root injury thoracic Nerve root lesion Nerve stimulation test Nerve stimulation test abnormal Nerve stimulation test normal Nervous system cyst Nervous system disorder Nervous system injury Nervousness Neural tube defect Neuralgia Neuralgic amyotrophy Neurilemmoma Neurilemmoma benign Neuritic plaques Neuritis Neuritis cranial Neuro-ophthalmological test Neuro-ophthalmological test abnormal Neuro-ophthalmological test normal Neuroblastoma Neuroborreliosis Neurodegenerative disorder Neurodermatitis Neurodevelopment test Neurodevelopmental disorder Neuroendocrine carcinoma Neuroendocrine carcinoma metastatic Neuroendocrine carcinoma of the skin Neuroendocrine tumour Neuroendocrine tumour of the lung Neuroendocrine tumour of the lung metastatic Neuroendocrine tumour of the rectum Neuroendoscopy Neurofibroma Neurofibromatosis Neurogenic bladder Neurogenic bowel Neurogenic cough Neurogenic hypertension Neurogenic shock Neuroleptic malignant syndrome Neuroleptic-induced deficit syndrome Neurologic neglect syndrome Neurologic somatic symptom disorder Neurological complication associated with device Neurological decompensation Neurological examination Neurological examination abnormal Neurological examination normal Neurological eyelid disorder Neurological infection Neurological procedural complication Neurological symptom Neurolysis Neurolysis surgical Neuroma Neuromuscular blockade Neuromuscular pain Neuromuscular toxicity Neuromyelitis optica Neuromyelitis optica spectrum disorder Neuromyopathy Neuromyotonia Neuron-specific enolase Neuronal ceroid lipofuscinosis Neuronal neuropathy Neurone-specific enolase Neurone-specific enolase decreased Neurone-specific enolase increased Neuropathic arthropathy Neuropathic muscular atrophy Neuropathic pruritus Neuropathic ulcer Neuropathy Neuropathy peripheral Neuroprosthesis implantation Neuropsychiatric lupus Neuropsychiatric symptoms Neuropsychiatric syndrome Neuropsychological test Neuropsychological test abnormal Neurosarcoidosis Neurosensory hypoacusis Neurosis Neurostimulator implantation Neurosurgery Neurosyphilis Neurotic disorder of childhood Neurotoxicity Neurotransmitter level altered Neurotrophic keratopathy Neurovascular conflict Neutralising antibodies Neutralising antibodies negative Neutralising antibodies positive Neutropenia Neutropenia neonatal Neutropenic infection Neutropenic sepsis Neutrophil chemotaxis Neutrophil count Neutrophil count abnormal Neutrophil count decreased Neutrophil count increased Neutrophil count normal Neutrophil function disorder Neutrophil gelatinase-associated lipocalin Neutrophil gelatinase-associated lipocalin increased Neutrophil hypersegmented morphology present Neutrophil morphology abnormal Neutrophil morphology normal Neutrophil percentage Neutrophil percentage abnormal Neutrophil percentage decreased Neutrophil percentage increased Neutrophil toxic granulation present Neutrophil/lymphocyte ratio Neutrophil/lymphocyte ratio decreased Neutrophil/lymphocyte ratio increased Neutrophilia Neutrophilic dermatosis New daily persistent headache Newborn persistent pulmonary hypertension Newcastle disease Next-generation sequencing Nicotinamide Nicotine dependence Nicotine test Nicotine test negative Nictitating spasm Night blindness Night sweats Nightmare Nikolsky's sign Nipple disorder Nipple enlargement Nipple exudate bloody Nipple infection Nipple inflammation Nipple oedema Nipple pain Nipple resection Nipple swelling Nitrate compound therapy Nitrite urine Nitrite urine absent Nitrite urine present Nitrituria No adverse drug effect No adverse effect No adverse event No adverse reaction No reaction on previous exposure to drug No therapeutic response Nocardiosis Noctiphobia Nocturia Nocturnal dyspnoea Nocturnal fear Nocturnal hypoventilation Nodal arrhythmia Nodal marginal zone B-cell lymphoma Nodal osteoarthritis Nodal rhythm Nodular fasciitis Nodular lymphocyte predominant Hodgkin lymphoma Nodular melanoma Nodular rash Nodular regenerative hyperplasia Nodular vasculitis Nodule Nodule on extremity Non-24-hour sleep-wake disorder Non-Hodgkin's lymphoma Non-Hodgkin's lymphoma recurrent Non-Hodgkin's lymphoma stage III Non-Hodgkin's lymphoma stage IV Non-Hodgkin's lymphoma unspecified histology indolent Non-alcoholic fatty liver Non-alcoholic steatohepatitis Non-cardiac chest pain Non-cardiogenic pulmonary oedema Non-cirrhotic portal hypertension Non-compaction cardiomyopathy Non-consummation Non-dipping Non-high-density lipoprotein cholesterol Non-high-density lipoprotein cholesterol increased Non-immune heparin associated thrombocytopenia Non-neutralising antibodies negative Non-obstructive cardiomyopathy Non-pitting oedema Non-scarring alopecia Non-small cell lung cancer Non-small cell lung cancer metastatic Non-small cell lung cancer stage III Non-small cell lung cancer stage IV Non-smoker Non-tobacco user Nonalcoholic fatty liver disease Noninfectious myelitis Noninfectious peritonitis Noninfective chorioretinitis Noninfective conjunctivitis Noninfective encephalitis Noninfective gingivitis Noninfective myringitis Noninfective oophoritis Noninfective retinitis Noninfective sialoadenitis Nonreassuring foetal heart rate pattern Nonspecific reaction Noonan syndrome Norepinephrine Norepinephrine increased Normal delivery Normal foetus Normal labour Normal newborn Normal pressure hydrocephalus Normal tension glaucoma Normetanephrine urine increased Normochromic anaemia Normochromic normocytic anaemia Normocytic anaemia Norovirus infection Norovirus test Norovirus test positive Nose deformity Nosocomephobia Nosocomial infection Nosophobia Notalgia paraesthetica Nothing by mouth order Nuchal rigidity Nuclear magnetic resonance imaging Nuclear magnetic resonance imaging abdominal Nuclear magnetic resonance imaging abdominal abnormal Nuclear magnetic resonance imaging abdominal normal Nuclear magnetic resonance imaging abnormal Nuclear magnetic resonance imaging brain Nuclear magnetic resonance imaging brain abnormal Nuclear magnetic resonance imaging brain normal Nuclear magnetic resonance imaging breast abnormal Nuclear magnetic resonance imaging heart Nuclear magnetic resonance imaging liver Nuclear magnetic resonance imaging neck Nuclear magnetic resonance imaging normal Nuclear magnetic resonance imaging renal Nuclear magnetic resonance imaging spinal Nuclear magnetic resonance imaging spinal abnormal Nuclear magnetic resonance imaging spinal cord Nuclear magnetic resonance imaging spinal cord abnormal Nuclear magnetic resonance imaging spinal cord normal Nuclear magnetic resonance imaging spinal normal Nuclear magnetic resonance imaging thoracic Nuclear magnetic resonance imaging thoracic abnormal Nuclear magnetic resonance imaging thoracic normal Nuclear magnetic resonance imaging whole body Nucleated red cells Nucleic acid test Nulliparous Numb chin syndrome Nutritional assessment Nutritional condition abnormal Nutritional condition normal Nutritional supplement allergy Nutritional supplementation Nyctalgia Nystagmus Obesity Obesity cardiomyopathy Oblique presentation Obliterative bronchiolitis Obsessive thoughts Obsessive-compulsive disorder Obsessive-compulsive personality disorder Obsessive-compulsive symptom Obstetric infection Obstetrical procedure Obstructed labour Obstruction Obstruction gastric Obstructive airways disorder Obstructive defaecation Obstructive nephropathy Obstructive pancreatitis Obstructive shock Obstructive sleep apnoea syndrome Obturator hernia Obturator neuropathy Occipital neuralgia Occult blood Occult blood negative Occult blood positive Occupational exposure to SARS-CoV-2 Occupational exposure to communicable disease Occupational exposure to drug Occupational exposure to product Occupational exposure to sunlight Occupational problem environmental Occupational therapy Ocular deposits removal Ocular discomfort Ocular dysmetria Ocular hyperaemia Ocular hypertension Ocular icterus Ocular ischaemic syndrome Ocular lymphoma Ocular myasthenia Ocular neoplasm Ocular rosacea Ocular sarcoidosis Ocular toxicity Ocular vascular disorder Ocular vasculitis Oculocephalogyric reflex absent Oculofacial paralysis Oculogyration Oculogyric crisis Oculomotor study Oculomotor study abnormal Oculomotor study normal Oculomucocutaneous syndrome Oculopneumoplethysmogram Oculorespiratory syndrome Odynophagia Oedema Oedema blister Oedema due to cardiac disease Oedema due to hepatic disease Oedema due to renal disease Oedema genital Oedema mouth Oedema mucosal Oedema peripheral Oedematous kidney Oedematous pancreatitis Oesophageal achalasia Oesophageal adenocarcinoma Oesophageal anastomosis Oesophageal atresia Oesophageal cancer metastatic Oesophageal candidiasis Oesophageal carcinoma Oesophageal compression Oesophageal dilatation Oesophageal dilation procedure Oesophageal discomfort Oesophageal disorder Oesophageal food impaction Oesophageal haemorrhage Oesophageal hypomotility Oesophageal infection Oesophageal injury Oesophageal irritation Oesophageal lesion excision Oesophageal manometry Oesophageal mass Oesophageal motility disorder Oesophageal motility test Oesophageal mucosal blister Oesophageal mucosal tear Oesophageal neoplasm Oesophageal obstruction Oesophageal oedema Oesophageal operation Oesophageal pH Oesophageal pain Oesophageal papilloma Oesophageal perforation Oesophageal polyp Oesophageal rupture Oesophageal spasm Oesophageal squamous cell carcinoma Oesophageal stenosis Oesophageal ulcer Oesophageal ulcer haemorrhage Oesophageal variceal ligation Oesophageal varices haemorrhage Oesophageal wall hypertrophy Oesophagectomy Oesophagitis Oesophagitis chemical Oesophagitis ulcerative Oesophagobronchial fistula Oesophagocardiomyotomy Oesophagogastric fundoplasty Oesophagogastroduodenoscopy Oesophagogastroduodenoscopy abnormal Oesophagogastroduodenoscopy normal Oesophagogastroscopy Oesophagogastroscopy abnormal Oesophagogastroscopy normal Oesophagoscopy Oesophagoscopy abnormal Oesophagostomy Oesophagram Oestradiol Oestradiol abnormal Oestradiol decreased Oestradiol increased Oestradiol normal Oestriol Oestrogen deficiency Oestrogen receptor assay Oestrogen receptor assay negative Oestrogen receptor assay positive Oestrogen therapy Off label use Office visit Oil acne Olfactory dysfunction Olfactory nerve disorder Olfactory test Olfactory test abnormal Oligoarthritis Oligoasthenoteratozoospermia Oligodendroglioma Oligodipsia Oligohydramnios Oligomenorrhoea Oligospermia Oliguria Omenn syndrome Omental haemorrhage Omental infarction Omental necrosis Omentectomy Omentoplasty Omphalitis On and off phenomenon Oncocytoma Oncologic complication Oncological evaluation Oncotype test Onychalgia Onychoclasis Onycholysis Onychomadesis Onychomycosis Onychophagia Oocyte harvest Oophorectomy Oophorectomy bilateral Oophoritis Open angle glaucoma Open fracture Open globe injury Open reduction of fracture Open wound Ophthalmia neonatorum Ophthalmic artery aneurysm Ophthalmic artery occlusion Ophthalmic artery thrombosis Ophthalmic fluid drainage Ophthalmic fluid-air exchange procedure Ophthalmic herpes simplex Ophthalmic herpes zoster Ophthalmic migraine Ophthalmic scan Ophthalmic vascular thrombosis Ophthalmic vein thrombosis Ophthalmological examination Ophthalmological examination abnormal Ophthalmological examination normal Ophthalmoplegia Ophthalmoplegic migraine Opiates Opiates negative Opiates positive Opisthotonus Opitz trigonocephaly syndrome Opportunistic infection Oppositional defiant disorder Opsoclonus myoclonus Optic atrophy Optic disc disorder Optic disc drusen Optic disc haemorrhage Optic disc hyperaemia Optic disc pit Optic discs blurred Optic glioma Optic ischaemic neuropathy Optic nerve compression Optic nerve cup/disc ratio Optic nerve cup/disc ratio increased Optic nerve cup/disc ratio normal Optic nerve cupping Optic nerve disorder Optic nerve hypoplasia Optic nerve infarction Optic nerve injury Optic nerve neoplasm Optic nerve operation Optic nerve sheath haemorrhage Optic neuritis Optic neuritis retrobulbar Optic neuropathy Optic perineuritis Optical coherence tomography Optical coherence tomography abnormal Optical coherence tomography normal Opticokinetic nystagmus tests Opticokinetic nystagmus tests abnormal Opticokinetic nystagmus tests normal Optometric therapy Oral administration complication Oral allergy syndrome Oral bacterial infection Oral blood blister Oral candidiasis Oral cavity examination Oral cavity fistula Oral contraception Oral contusion Oral discharge Oral discomfort Oral disorder Oral dysaesthesia Oral dysplasia Oral fibroma Oral fungal infection Oral haemangioma Oral herpes Oral herpes zoster Oral hyperaesthesia Oral infection Oral intake reduced Oral lichen planus Oral lichenoid reaction Oral mucosa erosion Oral mucosa haematoma Oral mucosal blistering Oral mucosal discolouration Oral mucosal eruption Oral mucosal erythema Oral mucosal exfoliation Oral mucosal hypertrophy Oral mucosal petechiae Oral mucosal roughening Oral mucosal scab Oral mucosal scar Oral neoplasm Oral pain Oral papilloma Oral papule Oral pigmentation Oral pruritus Oral purpura Oral pustule Oral soft tissue biopsy Oral soft tissue disorder Oral surgery Oral viral infection Orbital apex syndrome Orbital cyst Orbital decompression Orbital haematoma Orbital haemorrhage Orbital infection Orbital myositis Orbital oedema Orbital space occupying lesion Orbital swelling Orchidectomy Orchidopexy Orchitis Orchitis mumps Orchitis noninfective Organ donor Organ failure Organ transplant Organic acid analysis Organic acid analysis abnormal Organic brain syndrome Organic erectile dysfunction Organising pneumonia Orgasm abnormal Orgasmic sensation decreased Ornithine transcarbamoylase deficiency Oromandibular dystonia Oropharyngeal blistering Oropharyngeal cancer Oropharyngeal candidiasis Oropharyngeal cobble stone mucosa Oropharyngeal discolouration Oropharyngeal discomfort Oropharyngeal gonococcal infection Oropharyngeal neoplasm Oropharyngeal oedema Oropharyngeal pain Oropharyngeal plaque Oropharyngeal scar Oropharyngeal spasm Oropharyngeal squamous cell carcinoma Oropharyngeal stenosis Oropharyngeal suctioning Oropharyngeal surgery Oropharyngeal swelling Orthodontic appliance user Orthodontic procedure Orthognathic surgery Orthokeratology Orthopaedic examination Orthopaedic examination abnormal Orthopaedic examination normal Orthopaedic procedure Orthopedic examination Orthopedic examination abnormal Orthopedic examination normal Orthopedic procedure Orthopnoea Orthopox virus infection Orthopoxvirus test positive Orthosis user Orthostatic heart rate response increased Orthostatic heart rate test Orthostatic hypertension Orthostatic hypotension Orthostatic intolerance Orthostatic tremor Oscillopsia Osler's nodes Osmophobia Osmotic demyelination syndrome Osteitis Osteitis condensans Osteitis deformans Osteo-meningeal breaches Osteoarthritis Osteoarthropathy Osteochondral fracture Osteochondritis Osteochondrodysplasia Osteochondroma Osteochondrosis Osteogenesis imperfecta Osteolysis Osteoma Osteomalacia Osteomyelitis Osteomyelitis acute Osteomyelitis bacterial Osteomyelitis chronic Osteomyelitis salmonella Osteonecrosis Osteonecrosis of jaw Osteopathic treatment Osteopenia Osteopetrosis Osteophyte fracture Osteoporosis Osteoporosis postmenopausal Osteoporotic fracture Osteosarcoma Osteosclerosis Osteotomy Ostomy bag placement Otic examination Otic examination abnormal Otic examination normal Otitis externa Otitis externa bacterial Otitis externa fungal Otitis media Otitis media acute Otitis media bacterial Otitis media chronic Otoacoustic emissions test Otoacoustic emissions test abnormal Otoendoscopy Otolithiasis Otoplasty Otorhinolaryngological surgery Otorrhoea Otosalpingitis Otosclerosis Otoscopy Otoscopy abnormal Otoscopy normal Ototoxicity Out of specification product use Ovarian abscess Ovarian adenoma Ovarian atrophy Ovarian bacterial infection Ovarian calcification Ovarian cancer Ovarian cancer metastatic Ovarian cancer recurrent Ovarian cancer stage I Ovarian cancer stage II Ovarian cancer stage III Ovarian cancer stage IV Ovarian clear cell carcinoma Ovarian cyst Ovarian cyst ruptured Ovarian cyst torsion Ovarian cystectomy Ovarian disorder Ovarian dysgerminoma stage unspecified Ovarian dysplasia Ovarian enlargement Ovarian epithelial cancer Ovarian failure Ovarian fibroma Ovarian fibrosis Ovarian germ cell cancer Ovarian germ cell teratoma Ovarian germ cell teratoma benign Ovarian germ cell tumour Ovarian granulosa cell tumour Ovarian haematoma Ovarian haemorrhage Ovarian hyperfunction Ovarian hyperstimulation syndrome Ovarian infection Ovarian injury Ovarian mass Ovarian necrosis Ovarian neoplasm Ovarian operation Ovarian prolapse Ovarian repair Ovarian rupture Ovarian torsion Ovarian vein thrombosis Ovariocentesis Overdose Overfeeding of infant Overflow diarrhoea Overgrowth bacterial Overgrowth fungal Overlap syndrome Oversensing Overweight Overwork Ovulation delayed Ovulation disorder Ovulation induction Ovulation pain Oxidative stress Oxygen consumption Oxygen consumption decreased Oxygen consumption increased Oxygen saturation Oxygen saturation abnormal Oxygen saturation decreased Oxygen saturation immeasurable Oxygen saturation increased Oxygen saturation normal Oxygen supplementation Oxygen therapy Oxygenation index Ozone therapy PCO2 PCO2 abnormal PCO2 decreased PCO2 increased PCO2 normal PFAPA syndrome PIK3CA related overgrowth spectrum PO2 PO2 abnormal PO2 decreased PO2 increased PO2 normal POEMS syndrome PTEN gene mutation PUVA PaO2/FiO2 ratio PaO2/FiO2 ratio decreased Pacemaker generated arrhythmia Pacemaker generated rhythm Pacemaker syndrome Pachymeningitis Pachyonychia congenita Packed red blood cell transfusion Paediatric acute-onset neuropsychiatric syndrome Paediatric autoimmune neuropsychiatric disorders associated with streptococcal infection Paget's disease of nipple Paget's disease of the vulva Paget-Schroetter syndrome Pain Pain assessment Pain in extremity Pain in jaw Pain management Pain of skin Pain prophylaxis Pain threshold decreased Painful defaecation Painful ejaculation Painful erection Painful respiration Palatal disorder Palatal oedema Palatal palsy Palatal swelling Palatal ulcer Palate injury Palindromic rheumatism Palisaded neutrophilic granulomatous dermatitis Pallanaesthesia Palliative care Pallor Palmar erythema Palmar fasciitis Palmar-plantar erythrodysaesthesia syndrome Palmomental reflex Palmoplantar keratoderma Palmoplantar pustulosis Palpable purpura Palpatory finding abnormal Palpitations Pancoast's syndrome Pancreas divisum Pancreas infection Pancreas islet cell transplant Pancreas lipomatosis Pancreas transplant rejection Pancreatectomy Pancreatic abscess Pancreatic atrophy Pancreatic calcification Pancreatic carcinoma Pancreatic carcinoma metastatic Pancreatic carcinoma recurrent Pancreatic carcinoma stage IV Pancreatic cyst Pancreatic cyst drainage Pancreatic cystadenoma Pancreatic disorder Pancreatic duct dilatation Pancreatic duct obstruction Pancreatic duct stenosis Pancreatic enlargement Pancreatic enzyme abnormality Pancreatic enzymes Pancreatic enzymes abnormal Pancreatic enzymes decreased Pancreatic enzymes increased Pancreatic enzymes normal Pancreatic failure Pancreatic infarction Pancreatic injury Pancreatic insufficiency Pancreatic islets hyperplasia Pancreatic lesion excision Pancreatic mass Pancreatic neoplasm Pancreatic neuroendocrine tumour metastatic Pancreatic operation Pancreatic pseudocyst Pancreatic pseudocyst drainage Pancreatic pseudocyst rupture Pancreatic steatosis Pancreatic stent placement Pancreaticoduodenectomy Pancreaticogastrostomy Pancreatitis Pancreatitis acute Pancreatitis chronic Pancreatitis haemorrhagic Pancreatitis mumps Pancreatitis necrotising Pancreatitis relapsing Pancreatitis viral Pancreatobiliary sphincterotomy Pancreatogenous diabetes Pancreatography Pancytopenia Panel-reactive antibody Panencephalitis Panendoscopy Panic attack Panic disorder Panic reaction Panniculitis Panniculitis lobular Panophthalmitis Pantoea agglomerans test positive Papilla of Vater sclerosis Papillary cystadenoma lymphomatosum Papillary muscle haemorrhage Papillary muscle rupture Papillary renal cell carcinoma Papillary thyroid cancer Papillitis Papilloedema Papilloma Papilloma conjunctival Papilloma excision Papilloma viral infection Papillophlebitis Papule Papulopustular rosacea Paracentesis Paracentesis abdomen abnormal Paracentesis ear Paracentesis ear abnormal Paracentesis eye Paracentesis eye abnormal Paracentesis eye normal Paradoxical drug reaction Paradoxical embolism Paradoxical pressor response Paradoxical psoriasis Paraesthesia Paraesthesia ear Paraesthesia mucosal Paraesthesia oral Paraganglion neoplasm Paragonimiasis Parainfluenzae viral laryngotracheobronchitis Parainfluenzae virus infection Parakeratosis Paralogism Paralysis Paralysis flaccid Paralysis recurrent laryngeal nerve Paralytic disability Paralytic lagophthalmos Paramnesia Paranasal biopsy normal Paranasal cyst Paranasal sinus abscess Paranasal sinus and nasal cavity malignant neoplasm Paranasal sinus discomfort Paranasal sinus haemorrhage Paranasal sinus hypersecretion Paranasal sinus hyposecretion Paranasal sinus inflammation Paranasal sinus mass Paranasal sinus mucosal hypertrophy Paraneoplastic arthritis Paraneoplastic dermatomyositis Paraneoplastic encephalomyelitis Paraneoplastic myelopathy Paraneoplastic neurological syndrome Paraneoplastic syndrome Paraneoplastic thrombosis Paranoia Paranoid personality disorder Paraparesis Parapharyngeal space infection Paraplegia Paraproteinaemia Parapsoriasis Parasite DNA test Parasite blood test Parasite blood test positive Parasite stool test Parasite stool test negative Parasite stool test positive Parasite tissue specimen test negative Parasite urine test negative Parasitic blood test negative Parasitic gastroenteritis Parasitic test Parasitic test positive Parasomnia Parasystole Parathyroid disorder Parathyroid gland enlargement Parathyroid hormone-related protein Parathyroid hormone-related protein increased Parathyroid scan abnormal Parathyroid scan normal Parathyroid tumour Parathyroid tumour benign Parathyroidectomy Paratracheal lymphadenopathy Paratyphoid fever Paravalvular regurgitation Parechovirus infection Parent-child problem Parental consanguinity Parenteral nutrition Paresis Paresis anal sphincter Paresis cranial nerve Parietal cell antibody Parietal cell antibody normal Parietal cell antibody positive Parinaud syndrome Parity Parkinson's disease Parkinson's disease psychosis Parkinsonian crisis Parkinsonian gait Parkinsonian rest tremor Parkinsonism Paronychia Parophthalmia Parosmia Parotid abscess Parotid duct obstruction Parotid gland enlargement Parotid gland inflammation Parotidectomy Parotitis Paroxysmal arrhythmia Paroxysmal atrioventricular block Paroxysmal autonomic instability with dystonia Paroxysmal choreoathetosis Paroxysmal extreme pain disorder Paroxysmal nocturnal haemoglobinuria Paroxysmal sympathetic hyperactivity Partial lung resection Partial seizures Partial seizures with secondary generalisation Partner stress Paruresis Parvovirus B19 infection Parvovirus B19 infection reactivation Parvovirus B19 serology Parvovirus B19 serology negative Parvovirus B19 serology positive Parvovirus B19 test Parvovirus B19 test negative Parvovirus B19 test positive Parvovirus infection Passive smoking Past-pointing Pasteurella test positive Patella fracture Patellofemoral pain syndrome Patent ductus arteriosus Patent ductus arteriosus repair Paternal exposure before pregnancy Paternal exposure during pregnancy Pathergy reaction Pathogen resistance Pathological doubt Pathological fracture Pathology test Patient dissatisfaction with device Patient dissatisfaction with treatment Patient elopement Patient isolation Patient restraint Patient uncooperative Patient-device incompatibility Peak expiratory flow rate Peak expiratory flow rate abnormal Peak expiratory flow rate decreased Peak expiratory flow rate increased Peak expiratory flow rate normal Peak nasal inspiratory flow test Peau d'orange Pectus excavatum Pedal pulse abnormal Pedal pulse decreased Pedantic speech Peliosis hepatis Pelvi-ureteric obstruction Pelvic abscess Pelvic adhesions Pelvic bone injury Pelvic congestion Pelvic cyst Pelvic discomfort Pelvic exenteration Pelvic exploration Pelvic floor dysfunction Pelvic floor muscle weakness Pelvic fluid collection Pelvic fluid collection drainage Pelvic fracture Pelvic girdle pain Pelvic haematoma Pelvic haemorrhage Pelvic infection Pelvic inflammatory disease Pelvic mass Pelvic misalignment Pelvic neoplasm Pelvic operation Pelvic organ injury Pelvic organ prolapse Pelvic pain Pelvic pouch procedure Pelvic prolapse Pelvic venous thrombosis Pemphigoid Pemphigoid antibody panel Pemphigus Penetrating aortic ulcer Penetrating atherosclerotic ulcer Penile abscess Penile artery occlusion Penile blister Penile burning sensation Penile contusion Penile curvature Penile dermatitis Penile discharge Penile discomfort Penile erythema Penile exfoliation Penile haematoma Penile haemorrhage Penile oedema Penile operation Penile pain Penile pigmentation Penile plaque Penile rash Penile size reduced Penile swelling Penile ulceration Penile vascular disorder Penile vein thrombosis Penile wart Penis disorder Penis injury Penoscrotal fusion Peptic ulcer Peptic ulcer haemorrhage Peptostreptococcus infection Percussion test Percutaneous coronary intervention Perforated ulcer Perforation Perforation bile duct Performance fear Performance status decreased Perfume sensitivity Perfusion brain scan Perfusion brain scan abnormal Perfusion brain scan normal Peri-implantitis Peri-spinal heterotopic ossification Perianal abscess Perianal erythema Periarthritis Periarthritis calcarea Periarticular disorder Pericardial calcification Pericardial cyst Pericardial disease Pericardial drainage Pericardial drainage test Pericardial drainage test abnormal Pericardial drainage test normal Pericardial effusion Pericardial excision Pericardial fibrosis Pericardial haemorrhage Pericardial lipoma Pericardial mass Pericardial mesothelioma malignant Pericardial operation Pericardial repair Pericardial rub Pericardiotomy Pericarditis Pericarditis adhesive Pericarditis constrictive Pericarditis gonococcal Pericarditis infective Pericarditis lupus Pericarditis meningococcal Pericarditis rheumatic Pericarditis tuberculous Pericarditis uraemic Perichondritis Pericoronitis Perihepatic discomfort Perihepatitis Perinatal HBV infection Perinatal brain damage Perinatal depression Perinatal stroke Perineal abscess Perineal cellulitis Perineal cyst Perineal disorder Perineal erythema Perineal injury Perineal laceration Perineal operation Perineal pain Perineal rash Perineal ulceration Perinephric abscess Perinephric collection Perinephric effusion Perinephric oedema Perinephritis Perineurial cyst Periodic acid Schiff stain Periodic limb movement disorder Periodontal disease Periodontic-endodontic disease Periodontitis Perioral dermatitis Periorbital abscess Periorbital cellulitis Periorbital contusion Periorbital dermatitis Periorbital discomfort Periorbital disorder Periorbital fat herniation Periorbital haematoma Periorbital haemorrhage Periorbital infection Periorbital inflammation Periorbital irritation Periorbital oedema Periorbital pain Periorbital swelling Periostitis Peripancreatic fluid collection Peripancreatic varices Peripartum cardiomyopathy Peripartum haemorrhage Peripheral T-cell lymphoma unspecified Peripheral arterial occlusive disease Peripheral arteriogram Peripheral artery aneurysm Peripheral artery aneurysm rupture Peripheral artery angioplasty Peripheral artery bypass Peripheral artery dissection Peripheral artery haematoma Peripheral artery occlusion Peripheral artery restenosis Peripheral artery stenosis Peripheral artery stent insertion Peripheral artery surgery Peripheral artery thrombosis Peripheral circulatory failure Peripheral coldness Peripheral embolism Peripheral endarterectomy Peripheral ischaemia Peripheral motor neuropathy Peripheral nerve decompression Peripheral nerve destruction Peripheral nerve infection Peripheral nerve injury Peripheral nerve lesion Peripheral nerve neurostimulation Peripheral nerve operation Peripheral nerve palsy Peripheral nerve paresis Peripheral nerve transposition Peripheral nerve ultrasound Peripheral nervous system function test Peripheral nervous system function test abnormal Peripheral nervous system function test normal Peripheral paralysis Peripheral pulse decreased Peripheral revascularisation Peripheral sensorimotor neuropathy Peripheral sensory neuropathy Peripheral spondyloarthritis Peripheral swelling Peripheral vascular disorder Peripheral vein occlusion Peripheral vein stenosis Peripheral vein thrombosis Peripheral vein thrombus extension Peripheral venous disease Periphlebitis Periportal oedema Periprosthetic fracture Periprosthetic osteolysis Perirectal abscess Peristalsis visible Peritoneal abscess Peritoneal adhesions Peritoneal cancer index Peritoneal candidiasis Peritoneal catheter insertion Peritoneal dialysis Peritoneal dialysis complication Peritoneal disorder Peritoneal fibrosis Peritoneal fluid analysis Peritoneal fluid analysis abnormal Peritoneal gliomatosis Peritoneal haematoma Peritoneal haemorrhage Peritoneal lavage Peritoneal lesion Peritoneal mesothelial hyperplasia Peritoneal neoplasm Peritoneal perforation Peritoneal tuberculosis Peritonitis Peritonitis bacterial Peritonitis pneumococcal Peritonsillar abscess Peritonsillitis Peritumoural oedema Periumbilical abscess Perivascular dermatitis Periventricular leukomalacia Periventricular nodular heterotopia Pernicious anaemia Pernio-like erythema Peroneal muscular atrophy Peroneal nerve injury Peroneal nerve palsy Persecutory delusion Perseveration Persistent complex bereavement disorder Persistent corneal epithelial defect Persistent depressive disorder Persistent foetal circulation Persistent generalised lymphadenopathy Persistent genital arousal disorder Persistent left superior vena cava Persistent postural-perceptual dizziness Persistent pupillary membrane Personal relationship issue Personality change Personality change due to a general medical condition Personality disorder Personality disorder of childhood Perthes disease Pertussis Pertussis identification test Pertussis identification test negative Pertussis identification test positive Petechiae Petit mal epilepsy Petroleum distillate poisoning Peyronie's disease Pfeiffer syndrome Phaeochromocytoma Phaeochromocytoma crisis Phagocytosis Phalangeal hypoplasia Phalen's test positive Phantom limb syndrome Phantom pain Phantom shocks Phantom vibration syndrome Pharmaceutical product complaint Pharyngeal abscess Pharyngeal contusion Pharyngeal cyst Pharyngeal disorder Pharyngeal dyskinesia Pharyngeal enanthema Pharyngeal erosion Pharyngeal erythema Pharyngeal exudate Pharyngeal haematoma Pharyngeal haemorrhage Pharyngeal hypertrophy Pharyngeal hypoaesthesia Pharyngeal inflammation Pharyngeal injury Pharyngeal lesion Pharyngeal leukoplakia Pharyngeal mass Pharyngeal neoplasm Pharyngeal oedema Pharyngeal operation Pharyngeal paraesthesia Pharyngeal pustule Pharyngeal stenosis Pharyngeal swelling Pharyngeal ulceration Pharyngitis Pharyngitis bacterial Pharyngitis streptococcal Pharyngo-oesophageal diverticulum Pharyngolaryngeal abscess Pharyngolaryngeal pain Pharyngoscopy Pharyngotonsillitis Phelan-McDermid syndrome Phenylalanine screen Phenylalanine screen positive Phenylketonuria Philadelphia chromosome negative Philadelphia chromosome positive Philadelphia positive acute lymphocytic leukaemia Phimosis Phlebectomy Phlebitis Phlebitis deep Phlebitis infective Phlebitis superficial Phlebolith Phlebotomy Phobia Phobia of driving Phobia of flying Phobic postural vertigo Phonophobia Phosphenes Phospholipase A2 activity increased Phospholipidosis Photodermatosis Photokeratitis Photopheresis Photophobia Photopsia Photorefractive keratectomy Photosensitivity reaction Phototherapy Phrenic nerve injury Phrenic nerve paralysis Phyllodes tumour Physical abuse Physical assault Physical breast examination Physical breast examination abnormal Physical breast examination normal Physical capacity evaluation Physical deconditioning Physical disability Physical examination Physical examination abnormal Physical examination normal Physical examination of joints Physical examination of joints abnormal Physical fitness training Physical product label issue Physical thyroid examination Physical thyroid examination abnormal Physiotherapy Physiotherapy chest Phytotherapy Pica Pickwickian syndrome Picornavirus infection Pierre Robin syndrome Pigmentary glaucoma Pigmentation disorder Pigmentation lip Piloerection Pilomatrix carcinoma Pilonidal cyst Pilonidal cyst congenital Pilonidal disease Pineal gland cyst Pinguecula Pingueculitis Pinta Piriformis syndrome Pitting oedema Pituitary apoplexy Pituitary cancer metastatic Pituitary cyst Pituitary enlargement Pituitary gland operation Pituitary haemorrhage Pituitary hyperplasia Pituitary hypoplasia Pituitary scan Pituitary scan abnormal Pituitary tumour Pituitary tumour benign Pituitary-dependent Cushing's syndrome Pityriasis Pityriasis alba Pityriasis lichenoides et varioliformis acuta Pityriasis rosea Pityriasis rubra pilaris Placenta accreta Placenta growth factor Placenta praevia Placenta praevia haemorrhage Placental calcification Placental cyst Placental disorder Placental infarction Placental insufficiency Placental necrosis Placental transfusion syndrome Plagiocephaly Plague Planning to become pregnant Plantar erythema Plantar fascial fibromatosis Plantar fasciitis Plaque shift Plasma cell count Plasma cell disorder Plasma cell leukaemia Plasma cell mastitis Plasma cell myeloma Plasma cell myeloma recurrent Plasma cell myeloma refractory Plasma cells decreased Plasma cells increased Plasma cells present Plasma protein metabolism disorder Plasma viscosity Plasma viscosity abnormal Plasma viscosity normal Plasmablast count Plasmablastic lymphoma Plasmacytoma Plasmacytosis Plasmapheresis Plasmin inhibitor Plasminogen Plasminogen activator inhibitor Plasminogen activator inhibitor increased Plasminogen activator inhibitor polymorphism Plasminogen activator inhibitor type 1 deficiency Plasminogen decreased Plasminogen increased Plasminogen normal Plasmodium falciparum infection Plasmodium vivax infection Plastic surgery Plastic surgery to the face Platelet adhesiveness Platelet aggregation Platelet aggregation abnormal Platelet aggregation decreased Platelet aggregation increased Platelet aggregation normal Platelet aggregation test Platelet anisocytosis Platelet count Platelet count abnormal Platelet count decreased Platelet count increased Platelet count normal Platelet destruction increased Platelet disorder Platelet distribution width Platelet distribution width decreased Platelet distribution width increased Platelet dysfunction Platelet factor 4 Platelet factor 4 decreased Platelet factor 4 increased Platelet function test Platelet function test abnormal Platelet function test normal Platelet maturation arrest Platelet morphology Platelet morphology abnormal Platelet morphology normal Platelet production decreased Platelet rich plasma therapy Platelet storage pool deficiency Platelet transfusion Platelet-derived growth factor receptor assay Platelet-derived growth factor receptor gene mutation Platelet-large cell ratio Platelet-large cell ratio increased Plateletcrit Plateletcrit abnormal Plateletcrit decreased Plateletcrit increased Plateletpheresis Platypnoea Pleocytosis Pleomorphic adenoma Pleomorphic malignant fibrous histiocytoma Plethoric face Plethysmography Pleural adhesion Pleural calcification Pleural decortication Pleural disorder Pleural effusion Pleural fibrosis Pleural fluid analysis Pleural fluid analysis abnormal Pleural fluid analysis normal Pleural infection Pleural mass Pleural mesothelioma Pleural neoplasm Pleural rub Pleural thickening Pleurectomy Pleurisy Pleurisy bacterial Pleurisy viral Pleuritic pain Pleurocutaneous fistula Pleurodesis Pleuropericarditis Pleuroscopy Plicated tongue Pneumatic compression therapy Pneumatosis Pneumatosis intestinalis Pneumobilia Pneumocephalus Pneumococcal bacteraemia Pneumococcal immunisation Pneumococcal infection Pneumococcal sepsis Pneumoconiosis Pneumocystis jiroveci infection Pneumocystis jiroveci pneumonia Pneumocystis jirovecii infection Pneumocystis jirovecii pneumonia Pneumocystis test Pneumocystis test negative Pneumocystis test positive Pneumomediastinum Pneumonectomy Pneumonia Pneumonia acinetobacter Pneumonia adenoviral Pneumonia aspiration Pneumonia bacterial Pneumonia chlamydial Pneumonia cryptococcal Pneumonia cytomegaloviral Pneumonia escherichia Pneumonia fungal Pneumonia haemophilus Pneumonia herpes viral Pneumonia influenzal Pneumonia klebsiella Pneumonia legionella Pneumonia measles Pneumonia moraxella Pneumonia mycoplasmal Pneumonia necrotising Pneumonia parainfluenzae viral Pneumonia pneumococcal Pneumonia primary atypical Pneumonia proteus Pneumonia pseudomonal Pneumonia respiratory syncytial viral Pneumonia serratia Pneumonia staphylococcal Pneumonia streptococcal Pneumonia viral Pneumonic plague Pneumonitis Pneumonitis aspiration Pneumonitis chemical Pneumonolysis Pneumopericardium Pneumoperitoneum Pneumothorax Pneumothorax spontaneous Pneumothorax spontaneous tension Pneumothorax traumatic Pneumovirus test positive Pocket erosion Podiatric examination Poikilocytosis Poikiloderma Poisoning Poisoning deliberate Poliomyelitis Poliomyelitis post vaccine Poliovirus serology Poliovirus test Poliovirus test negative Poliovirus test positive Pollakiuria Polyarteritis nodosa Polyarthritis Polychondritis Polychromasia Polychromic red blood cells present Polycystic liver disease Polycystic ovarian syndrome Polycystic ovaries Polycythaemia Polycythaemia neonatorum Polycythaemia vera Polydactyly Polydipsia Polyglandular autoimmune syndrome type I Polyglandular autoimmune syndrome type II Polyglandular disorder Polyhydramnios Polymenorrhagia Polymenorrhoea Polymerase chain reaction Polymerase chain reaction negative Polymerase chain reaction positive Polymers allergy Polymicrogyria Polymorphic eruption of pregnancy Polymorphic light eruption Polymyalgia rheumatica Polymyositis Polyneuropathy Polyneuropathy alcoholic Polyneuropathy chronic Polyneuropathy idiopathic progressive Polyneuropathy in malignant disease Polyomavirus test Polyomavirus test negative Polyomavirus viraemia Polyomavirus-associated nephropathy Polyp Polyp colorectal Polypectomy Polypoidal choroidal vasculopathy Polyserositis Polyuria Poor dental condition Poor feeding infant Poor milk ejection reflex Poor peripheral circulation Poor personal hygiene Poor quality device used Poor quality drug administered Poor quality product administered Poor quality sleep Poor sucking reflex Poor venous access Poor weight gain neonatal Popliteal artery entrapment syndrome Popliteal pulse decreased Popliteal pulse increased Porencephaly Poriomania Porokeratosis Porphyria Porphyria acute Porphyria non-acute Porphyria screen Porphyrins urine Porphyrins urine increased Porphyrins urine normal Porphyrinuria Portal fibrosis Portal hypertension Portal hypertensive colopathy Portal hypertensive gastropathy Portal shunt procedure Portal tract inflammation Portal vein cavernous transformation Portal vein dilatation Portal vein embolism Portal vein occlusion Portal vein phlebitis Portal vein thrombosis Portal venous gas Portoenterostomy Portogram Portopulmonary hypertension Portosplenomesenteric venous thrombosis Positive Rombergism Positive airway pressure therapy Positive cardiac inotropic effect Positive dose response relationship Positive end-expiratory pressure Positive expiratory pressure therapy Positron emission tomogram Positron emission tomogram abnormal Positron emission tomogram breast Positron emission tomogram breast abnormal Positron emission tomogram normal Positron emission tomography-magnetic resonance imaging Post abortion haemorrhage Post cardiac arrest syndrome Post cholecystectomy syndrome Post concussion syndrome Post herpetic neuralgia Post infection glomerulonephritis Post inflammatory pigmentation change Post laminectomy syndrome Post lumbar puncture syndrome Post micturition dribble Post polio syndrome Post procedural bile leak Post procedural complication Post procedural constipation Post procedural contusion Post procedural diarrhoea Post procedural discharge Post procedural discomfort Post procedural drainage Post procedural erythema Post procedural fever Post procedural fistula Post procedural haematoma Post procedural haematuria Post procedural haemorrhage Post procedural hypotension Post procedural hypothyroidism Post procedural infection Post procedural myocardial infarction Post procedural oedema Post procedural pneumonia Post procedural pulmonary embolism Post procedural sepsis Post procedural stroke Post procedural swelling Post procedural urine leak Post streptococcal glomerulonephritis Post stroke depression Post stroke epilepsy Post stroke seizure Post thrombotic syndrome Post transplant lymphoproliferative disorder Post treatment Lyme disease syndrome Post vaccination autoinoculation Post vaccination challenge strain shedding Post vaccination syndrome Post viral fatigue syndrome Post-acute COVID-19 syndrome Post-anaphylaxis mast cell anergy Post-anoxic myoclonus Post-thoracotomy pain syndrome Post-traumatic amnestic disorder Post-traumatic epilepsy Post-traumatic headache Post-traumatic neck syndrome Post-traumatic neuralgia Post-traumatic pain Post-traumatic stress disorder Post-tussive vomiting Posterior capsule opacification Posterior capsule rupture Posterior cortical atrophy Posterior fossa decompression Posterior fossa syndrome Posterior interosseous syndrome Posterior reversible encephalopathy syndrome Posterior tibial nerve injury Posterior tibial tendon dysfunction Posthaemorrhagic hydrocephalus Postictal headache Postictal paralysis Postictal psychosis Postictal state Postinfarction angina Postmature baby Postmenopausal haemorrhage Postmenopause Postmortem blood drug level Postmortem blood drug level increased Postnasal drip Postoperative abscess Postoperative adhesion Postoperative care Postoperative delirium Postoperative fever Postoperative ileus Postoperative renal failure Postoperative respiratory failure Postoperative thoracic procedure complication Postoperative thrombosis Postoperative wound complication Postoperative wound infection Postpartum anxiety Postpartum depression Postpartum disorder Postpartum haemorrhage Postpartum state Postpartum stress disorder Postpartum thrombosis Postpartum venous thrombosis Postprandial hypoglycaemia Postrenal failure Postresuscitation encephalopathy Postsplenectomy syndrome Postural orthostatic tachycardia syndrome Postural tremor Posture abnormal Posturing Posturography Potassium chloride sensitivity test Potassium chloride sensitivity test abnormal Potassium hydroxide preparation Potassium hydroxide preparation negative Potassium hydroxide preparation positive Potentiating drug interaction Potter's syndrome Pouchitis Poverty of speech Poverty of thought content Prader-Willi syndrome Pre-eclampsia Pre-existing condition improved Pre-existing disease Prealbumin Prealbumin decreased Prealbumin increased Preauricular cyst Precancerous cells present Precancerous condition Precancerous lesion of digestive tract Precancerous mucosal lesion Precancerous skin lesion Precerebral artery dissection Precerebral artery occlusion Precerebral artery thrombosis Precipitate labour Precocious puberty Precursor B-lymphoblastic lymphoma Precursor T-lymphoblastic lymphoma/leukaemia Precursor T-lymphoblastic lymphoma/leukaemia stage II Pregnancy Pregnancy after post coital contraception Pregnancy induced hypertension Pregnancy of unknown location Pregnancy on contraceptive Pregnancy on oral contraceptive Pregnancy test Pregnancy test false positive Pregnancy test negative Pregnancy test positive Pregnancy test urine Pregnancy test urine negative Pregnancy test urine positive Pregnancy with advanced maternal age Pregnancy with contraceptive device Pregnancy with implant contraceptive Pregnancy with injectable contraceptive Pregnancy with young maternal age Prehypertension Preictal state Premature ageing Premature baby Premature baby death Premature delivery Premature ejaculation Premature labour Premature menarche Premature menopause Premature ovulation Premature rupture of membranes Premature separation of placenta Premedication Premenstrual dysphoric disorder Premenstrual headache Premenstrual pain Premenstrual syndrome Prenatal care Prenatal screening test Prenatal screening test abnormal Preoperative care Prepuce dorsal slit Prerenal failure Presbyacusis Presbyastasis Presbyoesophagus Presbyopia Prescribed overdose Prescribed underdose Prescription drug used without a prescription Pressure of speech Presyncope Preterm premature rupture of membranes Prevertebral soft tissue swelling of cervical space Priapism Primary adrenal insufficiency Primary amyloidosis Primary biliary cholangitis Primary coenzyme Q10 deficiency Primary cough headache Primary familial brain calcification Primary gastrointestinal follicular lymphoma Primary headache associated with sexual activity Primary hyperaldosteronism Primary hyperthyroidism Primary hypothyroidism Primary immunodeficiency syndrome Primary mediastinal large B-cell lymphoma Primary myelofibrosis Primary progressive multiple sclerosis Primary transmission Primigravida Primiparous Primitive reflex test Prinzmetal angina Prion disease Probiotic therapy Procalcitonin Procalcitonin abnormal Procalcitonin decreased Procalcitonin increased Procalcitonin normal Procedural anxiety Procedural complication Procedural dizziness Procedural failure Procedural haemorrhage Procedural headache Procedural hypotension Procedural intestinal perforation Procedural nausea Procedural pain Procedural pneumothorax Procedural shock Procedural site reaction Procedural vomiting Procedure aborted Procoagulant therapy Procrastination Proctalgia Proctectomy Proctitis Proctitis chlamydial Proctitis gonococcal Proctitis haemorrhagic Proctitis ulcerative Proctocolectomy Proctocolitis Proctoscopy Proctoscopy abnormal Proctoscopy normal Proctosigmoidoscopy Proctosigmoidoscopy abnormal Proctosigmoidoscopy normal Prodromal Alzheimer's disease Product administered at inappropriate site Product administered by wrong person Product administered to patient of inappropriate age Product administration error Product administration interrupted Product after taste Product appearance confusion Product availability issue Product barcode issue Product blister packaging issue Product closure issue Product closure removal difficult Product colour issue Product commingling Product communication issue Product complaint Product confusion Product container issue Product container seal issue Product contamination Product contamination chemical Product contamination microbial Product contamination physical Product contamination with body fluid Product delivery mechanism issue Product deposit Product design confusion Product design issue Product dispensing error Product dispensing issue Product distribution issue Product dosage form confusion Product dose confusion Product dose omission Product dose omission in error Product dose omission issue Product expiration date issue Product formulation issue Product identification number issue Product impurity Product intolerance Product label confusion Product label issue Product label on wrong product Product leakage Product lot number issue Product measured potency issue Product monitoring error Product name confusion Product odour abnormal Product origin unknown Product package associated injury Product packaging confusion Product packaging difficult to open Product packaging issue Product packaging quantity issue Product physical consistency issue Product physical issue Product preparation error Product preparation issue Product prescribing error Product prescribing issue Product primary packaging issue Product quality control issue Product quality issue Product reconstitution issue Product reconstitution quality issue Product residue present Product selection error Product sterility issue Product sterility lacking Product storage error Product substitution Product substitution error Product substitution issue Product supply issue Product tampering Product taste abnormal Product temperature excursion issue Product use complaint Product use in unapproved indication Product use issue Product used for unknown indication Productive cough Proerythroblast count Profound mental retardation Progesterone Progesterone abnormal Progesterone decreased Progesterone increased Progesterone normal Progesterone receptor assay Progesterone receptor assay negative Progesterone receptor assay positive Progestin therapy Progressive bulbar palsy Progressive facial hemiatrophy Progressive familial intrahepatic cholestasis Progressive macular hypomelanosis Progressive multifocal leukoencephalopathy Progressive multiple sclerosis Progressive relapsing multiple sclerosis Progressive supranuclear palsy Prohormone brain natriuretic peptide Prohormone brain natriuretic peptide abnormal Prohormone brain natriuretic peptide decreased Prohormone brain natriuretic peptide increased Prolactin-producing pituitary tumour Prolapse Prolonged expiration Prolonged labour Prolonged pregnancy Prolonged rupture of membranes Prolymphocytic leukaemia Promotion of peripheral circulation Promyelocyte count Promyelocyte count increased Pronator teres syndrome Prone position Prophylaxis Prophylaxis against HIV infection Prophylaxis against Rh isoimmunisation Prophylaxis of nausea and vomiting Prophylaxis of neural tube defect Propionibacterium infection Propionibacterium test positive Propofol infusion syndrome Prosopagnosia Prostate cancer Prostate cancer metastatic Prostate cancer recurrent Prostate cancer stage IV Prostate examination Prostate examination abnormal Prostate examination normal Prostate infection Prostate tenderness Prostate volume study Prostatectomy Prostatic abscess Prostatic acid phosphatase Prostatic acid phosphatase abnormal Prostatic adenoma Prostatic calcification Prostatic cyst Prostatic disorder Prostatic dysplasia Prostatic haemorrhage Prostatic obstruction Prostatic operation Prostatic pain Prostatic specific antigen Prostatic specific antigen abnormal Prostatic specific antigen decreased Prostatic specific antigen increased Prostatic specific antigen normal Prostatitis Prostatomegaly Prosthesis user Prosthetic cardiac valve malfunction Prosthetic cardiac valve regurgitation Prosthetic cardiac valve stenosis Prosthetic cardiac valve thrombosis Prosthetic vessel implantation Prostration Protein C Protein C decreased Protein C deficiency Protein C increased Protein S Protein S abnormal Protein S decreased Protein S deficiency Protein S increased Protein S normal Protein albumin ratio Protein albumin ratio abnormal Protein albumin ratio increased Protein albumin ratio normal Protein bound iodine increased Protein deficiency Protein induced by vitamin K absence or antagonist II Protein intolerance Protein total Protein total abnormal Protein total decreased Protein total increased Protein total normal Protein urine Protein urine absent Protein urine present Protein-losing gastroenteropathy Proteinuria Proteus infection Proteus test positive Prothrombin consumption time prolonged Prothrombin fragment 1.2 Prothrombin index Prothrombin level Prothrombin level abnormal Prothrombin level decreased Prothrombin level increased Prothrombin level normal Prothrombin time Prothrombin time abnormal Prothrombin time normal Prothrombin time prolonged Prothrombin time ratio Prothrombin time ratio abnormal Prothrombin time ratio decreased Prothrombin time ratio increased Prothrombin time shortened Proton radiation therapy Protrusion tongue Provisional tic disorder Prurigo Pruritus Pruritus allergic Pruritus ani Pruritus generalised Pruritus genital Pseudarthrosis Pseudo lymphoma Pseudo-Bartter syndrome Pseudoachalasia Pseudoallergic reaction Pseudoangina Pseudobulbar palsy Pseudocellulitis Pseudocroup Pseudocyst Pseudodementia Pseudodiverticular disease Pseudofolliculitis Pseudofolliculitis barbae Pseudogynaecomastia Pseudohallucination Pseudohernia Pseudohyponatraemia Pseudohypoparathyroidism Pseudolymphoma Pseudomembranous colitis Pseudomonal bacteraemia Pseudomonal sepsis Pseudomonas infection Pseudomonas test Pseudomonas test positive Pseudomononucleosis Pseudomyopia Pseudopapilloedema Pseudoparalysis Pseudophakic bullous keratopathy Pseudopolyp Pseudoporphyria Pseudoradicular syndrome Pseudostroke Pseudothrombophlebitis Psittacosis Psoas abscess Psoriasis Psoriasis area severity index Psoriasis area severity index decreased Psoriasis area severity index increased Psoriatic arthropathy Psychiatric decompensation Psychiatric evaluation Psychiatric evaluation abnormal Psychiatric evaluation normal Psychiatric investigation Psychiatric symptom Psychogenic movement disorder Psychogenic pain disorder Psychogenic pseudosyncope Psychogenic respiratory distress Psychogenic seizure Psychogenic tremor Psychogenic visual disorder Psychological factor affecting medical condition Psychological trauma Psychomotor disadaptation syndrome Psychomotor hyperactivity Psychomotor retardation Psychomotor seizures Psychomotor skills impaired Psychopathic personality Psychosomatic disease Psychotherapy Psychotic behaviour Psychotic disorder Psychotic disorder due to a general medical condition Psychotic symptom Psychotic symptom rating scale Ptosis repair Puberty Pubic pain Pubis fracture Pudendal canal syndrome Pudendal nerve terminal motor latency test normal Puerperal pyrexia Pulmonary air leakage Pulmonary alveolar haemorrhage Pulmonary amyloidosis Pulmonary arterial hypertension Pulmonary arterial pressure Pulmonary arterial pressure abnormal Pulmonary arterial pressure increased Pulmonary arterial pressure normal Pulmonary arterial wedge pressure Pulmonary arterial wedge pressure decreased Pulmonary arterial wedge pressure increased Pulmonary arteriopathy Pulmonary arteriovenous fistula Pulmonary artery aneurysm Pulmonary artery atresia Pulmonary artery compression Pulmonary artery dilatation Pulmonary artery occlusion Pulmonary artery stenosis Pulmonary artery stenosis congenital Pulmonary artery thrombosis Pulmonary artery wall hypertrophy Pulmonary blastomycosis Pulmonary calcification Pulmonary cavitation Pulmonary congestion Pulmonary contusion Pulmonary embolism Pulmonary endarterectomy Pulmonary eosinophilia Pulmonary fibrosis Pulmonary function challenge test Pulmonary function challenge test abnormal Pulmonary function challenge test normal Pulmonary function test Pulmonary function test abnormal Pulmonary function test decreased Pulmonary function test normal Pulmonary granuloma Pulmonary haematoma Pulmonary haemorrhage Pulmonary haemosiderosis Pulmonary hilar enlargement Pulmonary hilum mass Pulmonary histoplasmosis Pulmonary hypertension Pulmonary hypertensive crisis Pulmonary hypoperfusion Pulmonary hypoplasia Pulmonary imaging procedure Pulmonary imaging procedure abnormal Pulmonary imaging procedure normal Pulmonary infarction Pulmonary interstitial emphysema syndrome Pulmonary malformation Pulmonary mass Pulmonary microemboli Pulmonary necrosis Pulmonary nodular lymphoid hyperplasia Pulmonary oedema Pulmonary ossification Pulmonary pain Pulmonary physical examination Pulmonary physical examination abnormal Pulmonary physical examination normal Pulmonary pneumatocele Pulmonary renal syndrome Pulmonary resection Pulmonary sarcoidosis Pulmonary sensitisation Pulmonary sepsis Pulmonary septal thickening Pulmonary sequestration Pulmonary thrombosis Pulmonary toxicity Pulmonary tuberculoma Pulmonary tuberculosis Pulmonary valve disease Pulmonary valve incompetence Pulmonary valve replacement Pulmonary valve stenosis Pulmonary valve stenosis congenital Pulmonary valve thickening Pulmonary vascular disorder Pulmonary vascular resistance abnormality Pulmonary vasculitis Pulmonary vein occlusion Pulmonary veno-occlusive disease Pulmonary venous hypertension Pulmonary venous thrombosis Pulpitis dental Pulpless tooth Pulse abnormal Pulse absent Pulse pressure abnormal Pulse pressure decreased Pulse pressure increased Pulse pressure normal Pulse volume decreased Pulse wave velocity Pulse waveform Pulse waveform abnormal Pulse waveform normal Pulseless electrical activity Punctal plug insertion Punctate basophilia Punctate keratitis Puncture site bruise Puncture site discharge Puncture site erythema Puncture site haematoma Puncture site haemorrhage Puncture site induration Puncture site infection Puncture site inflammation Puncture site oedema Puncture site pain Puncture site pruritus Puncture site reaction Puncture site swelling Pupil dilation procedure Pupil fixed Pupillary deformity Pupillary disorder Pupillary light reflex tests Pupillary light reflex tests abnormal Pupillary light reflex tests normal Pupillary reflex impaired Pupillotonia Pupils unequal Purging Purines normal Purple glove syndrome Purpura Purpura fulminans Purpura non-thrombocytopenic Purpura senile Purtscher retinopathy Purulence Purulent discharge Purulent pericarditis Pus in stool Pustular psoriasis Pustule Putamen haemorrhage Pyelitis Pyelocaliectasis Pyelogram retrograde abnormal Pyelonephritis Pyelonephritis acute Pyelonephritis chronic Pyelonephritis fungal Pyeloplasty Pyloric stenosis Pyloromyotomy Pylorospasm Pyoderma Pyoderma gangrenosum Pyoderma streptococcal Pyogenic granuloma Pyogenic sterile arthritis pyoderma gangrenosum and acne syndrome Pyometra Pyomyositis Pyonephrosis Pyothorax Pyramidal tract syndrome Pyrexia Pyroglutamic acidosis Pyruvate dehydrogenase complex deficiency Pyruvate kinase Pyruvate kinase increased Pyuria Q fever QRS axis QRS axis abnormal QRS axis normal Quadrantanopia Quadriparesis Quadriplegia Quality of life decreased Quantitative sensory testing Quantitative sudomotor axon reflex test Quarantine RUNX1 gene mutation Rabies Radial head dislocation Radial nerve compression Radial nerve injury Radial nerve palsy Radial pulse Radial pulse abnormal Radial pulse decreased Radial pulse increased Radiation associated pain Radiation dysphagia Radiation exposure during pregnancy Radiation injury Radiation mastitis Radiation neuropathy Radiation oesophagitis Radiation pneumonitis Radiation proctitis Radiation sickness syndrome Radiation skin injury Radical cystectomy Radical hysterectomy Radical neck dissection Radical prostatectomy Radicular pain Radicular syndrome Radiculitis Radiculitis brachial Radiculitis cervical Radiculitis lumbosacral Radiculopathy Radiculotomy Radioactive iodine therapy Radioallergosorbent test Radioallergosorbent test negative Radioallergosorbent test positive Radiochemotherapy Radioembolisation Radioimmunotherapy Radioisotope scan Radioisotope scan abnormal Radioisotope scan normal Radioisotope uptake increased Radiologic pelvimetry Radiologically isolated syndrome Radiotherapy Radiotherapy to brain Radiotherapy to breast Radiotherapy to ear Radiotherapy to lymph nodes Radiotherapy to pharynx Radius fracture Rales Ranula Rapid alternating movement test abnormal Rapid eye movement sleep behaviour disorder Rapid eye movements sleep abnormal Rash Rash erythematous Rash follicular Rash generalised Rash macular Rash maculo-papular Rash maculovesicular Rash morbilliform Rash neonatal Rash papular Rash papulosquamous Rash pruritic Rash pustular Rash rubelliform Rash scarlatiniform Rash vesicular Rasmussen encephalitis Rathke's cleft cyst Raynaud's phenomenon Reaction to azo-dyes Reaction to colouring Reaction to drug excipients Reaction to excipient Reaction to food additive Reaction to preservatives Reaction to previous exposure to any vaccine Reactive airways dysfunction syndrome Reactive angioendotheliomatosis Reactive attachment disorder of infancy or early childhood Reactive gastropathy Reactive perforating collagenosis Reactogenicity event Reading disorder Rebound eczema Rebound effect Rebound psoriasis Rebound tachycardia Recall phenomenon Recalled product Recalled product administered Rectal abscess Rectal adenocarcinoma Rectal cancer Rectal cancer metastatic Rectal cancer stage IV Rectal discharge Rectal examination Rectal examination abnormal Rectal examination normal Rectal fissure Rectal haemorrhage Rectal injury Rectal lesion Rectal lesion excision Rectal neoplasm Rectal obstruction Rectal polyp Rectal polypectomy Rectal prolapse Rectal prolapse repair Rectal spasm Rectal tenesmus Rectal tube insertion Rectal ulcer Rectal ulcer haemorrhage Rectal ultrasound Rectal ultrasound normal Rectocele Rectosigmoid cancer Rectourethral fistula Recurrent cancer Recurrent subareolar breast abscess Recurring skin boils Red blood cell Heinz bodies present Red blood cell abnormality Red blood cell acanthocytes present Red blood cell agglutination Red blood cell agglutination present Red blood cell analysis Red blood cell analysis abnormal Red blood cell analysis normal Red blood cell anisocytes Red blood cell anisocytes present Red blood cell burr cells present Red blood cell count Red blood cell count abnormal Red blood cell count decreased Red blood cell count increased Red blood cell count normal Red blood cell elliptocytes present Red blood cell enzymes abnormal Red blood cell hyperchromic morphology Red blood cell hyperchromic morphology present Red blood cell hypochromic morphology present Red blood cell macrocytes Red blood cell macrocytes present Red blood cell microcytes Red blood cell microcytes absent Red blood cell microcytes present Red blood cell morphology Red blood cell morphology abnormal Red blood cell morphology normal Red blood cell nucleated morphology Red blood cell nucleated morphology present Red blood cell poikilocytes Red blood cell poikilocytes present Red blood cell rouleaux formation present Red blood cell scan Red blood cell schistocytes Red blood cell schistocytes present Red blood cell sedimentation rate Red blood cell sedimentation rate abnormal Red blood cell sedimentation rate decreased Red blood cell sedimentation rate increased Red blood cell sedimentation rate normal Red blood cell spherocytes Red blood cell spherocytes present Red blood cell transfusion Red blood cell vacuolisation Red blood cells CSF positive Red blood cells urine Red blood cells urine negative Red blood cells urine positive Red breast syndrome Red cell distribution width Red cell distribution width abnormal Red cell distribution width decreased Red cell distribution width increased Red cell distribution width normal Red ear syndrome Red light therapy Red man syndrome Reduced bladder capacity Reduced facial expression Reduction of increased intracranial pressure Refeeding syndrome Reflex test Reflex test abnormal Reflex test normal Reflexes abnormal Reflexology Reflux gastritis Reflux laryngitis Reflux oesophagitis Refraction disorder Refractory anaemia with an excess of blasts Refractory cancer Refractory cytopenia with unilineage dysplasia Refusal of examination Refusal of treatment by patient Refusal of treatment by relative Refusal of vaccination Regenerative siderotic hepatic nodule Regressive behaviour Regurgitation Rehabilitation therapy Reiter's syndrome Relapsing fever Relapsing multiple sclerosis Relapsing-remitting multiple sclerosis Removal of external fixation Removal of foreign body Removal of foreign body from nose Removal of foreign body from oesophagus Removal of foreign body from rectum Renal abscess Renal amyloidosis Renal aneurysm Renal aplasia Renal arteriosclerosis Renal arteritis Renal artery arteriosclerosis Renal artery dissection Renal artery embolisation Renal artery occlusion Renal artery restenosis Renal artery stenosis Renal artery stent placement Renal artery stent removal Renal artery thrombosis Renal atrophy Renal cancer Renal cancer metastatic Renal cancer recurrent Renal cancer stage I Renal cell carcinoma Renal colic Renal cortical necrosis Renal cyst Renal cyst haemorrhage Renal cyst ruptured Renal disorder Renal dysplasia Renal embolism Renal exploration Renal failure Renal failure acute Renal failure chronic Renal failure neonatal Renal function test Renal function test abnormal Renal function test normal Renal fusion anomaly Renal graft infection Renal haematoma Renal haemorrhage Renal hamartoma Renal hydrocele Renal hypertension Renal hypertrophy Renal hypoplasia Renal impairment Renal infarct Renal injury Renal interstitial fibrosis Renal ischaemia Renal lithiasis prophylaxis Renal mass Renal necrosis Renal neoplasm Renal pain Renal replacement therapy Renal salt-wasting syndrome Renal scan Renal scan abnormal Renal scan normal Renal stone removal Renal surgery Renal transplant Renal transplant failure Renal tubular acidosis Renal tubular atrophy Renal tubular disorder Renal tubular injury Renal tubular necrosis Renal tumour excision Renal vascular thrombosis Renal vasculitis Renal vein compression Renal vein embolism Renal vein occlusion Renal vein thrombosis Renal-limited thrombotic microangiopathy Renin Renin abnormal Renin decreased Renin increased Renin normal Renin-angiotensin system inhibition Renovascular hypertension Reocclusion Reperfusion arrhythmia Reperfusion injury Repetitive speech Repetitive strain injury Reproductive hormone Reproductive tract disorder Residual urine Residual urine volume Residual urine volume increased Resorption bone increased Respiration abnormal Respiratory acidosis Respiratory alkalosis Respiratory arrest Respiratory depression Respiratory depth decreased Respiratory depth increased Respiratory disorder Respiratory disorder neonatal Respiratory distress Respiratory failure Respiratory fatigue Respiratory fremitus Respiratory fume inhalation disorder Respiratory gas exchange disorder Respiratory moniliasis Respiratory muscle weakness Respiratory papilloma Respiratory paralysis Respiratory pathogen panel Respiratory rate Respiratory rate decreased Respiratory rate increased Respiratory sinus arrhythmia magnitude Respiratory sinus arrhythmia magnitude abnormal Respiratory symptom Respiratory syncytial virus bronchiolitis Respiratory syncytial virus bronchitis Respiratory syncytial virus infection Respiratory syncytial virus serology Respiratory syncytial virus serology negative Respiratory syncytial virus serology positive Respiratory syncytial virus test Respiratory syncytial virus test negative Respiratory syncytial virus test positive Respiratory therapy Respiratory tract chlamydial infection Respiratory tract congestion Respiratory tract haemorrhage Respiratory tract infection Respiratory tract infection bacterial Respiratory tract infection viral Respiratory tract inflammation Respiratory tract irritation Respiratory tract malformation Respiratory tract oedema Respiratory viral panel Respirovirus test Respirovirus test positive Respite care Rest regimen Resting tremor Restless arm syndrome Restless legs syndrome Restlessness Restrictive cardiomyopathy Restrictive pulmonary disease Resuscitation Retained placenta operation Retained placenta or membranes Retained products of conception Retching Retention cyst Reticular cell count Reticulocyte count Reticulocyte count abnormal Reticulocyte count decreased Reticulocyte count increased Reticulocyte count normal Reticulocyte haemoglobin equivalent Reticulocyte percentage Reticulocyte percentage decreased Reticulocyte percentage increased Reticulocyte percentage normal Reticulocytopenia Reticulocytosis Reticuloendothelial system stimulated Retinal aneurysm Retinal aneurysm rupture Retinal artery embolism Retinal artery occlusion Retinal artery spasm Retinal artery stenosis Retinal artery thrombosis Retinal cryoablation Retinal cyst Retinal degeneration Retinal depigmentation Retinal deposits Retinal detachment Retinal disorder Retinal drusen Retinal dystrophy Retinal exudates Retinal fibrosis Retinal fovea disorder Retinal function test abnormal Retinal function test normal Retinal haemorrhage Retinal infarction Retinal infiltrates Retinal injury Retinal ischaemia Retinal laser coagulation Retinal melanocytoma Retinal microangiopathy Retinal migraine Retinal neovascularisation Retinal oedema Retinal operation Retinal pallor Retinal perivascular sheathing Retinal pigment epitheliopathy Retinal pigmentation Retinal scar Retinal tear Retinal thickening Retinal toxicity Retinal vascular disorder Retinal vascular occlusion Retinal vascular thrombosis Retinal vasculitis Retinal vein occlusion Retinal vein thrombosis Retinal vessel avulsion Retinal white dots syndrome Retinal white without pressure Retinitis Retinitis pigmentosa Retinitis viral Retinogram Retinogram abnormal Retinogram normal Retinol binding protein Retinopathy Retinopathy hypertensive Retinopathy of prematurity Retinopathy proliferative Retinopexy Retinoschisis Retinoscopy Retinoscopy abnormal Retirement Retracted nipple Retrognathia Retrograde amnesia Retrograde ejaculation Retrograde menstruation Retroperitoneal abscess Retroperitoneal cancer Retroperitoneal disorder Retroperitoneal effusion Retroperitoneal fibrosis Retroperitoneal haematoma Retroperitoneal haemorrhage Retroperitoneal lymphadenopathy Retroperitoneal mass Retroperitoneal neoplasm Retroperitoneal neoplasm metastatic Retroperitoneal oedema Retroplacental haematoma Retroviral infection Revascularisation procedure Reversal of opiate activity Reverse tri-iodothyronine Reverse tri-iodothyronine decreased Reversed hot-cold sensation Reversible airways obstruction Reversible cerebral vasoconstriction syndrome Reversible ischaemic neurological deficit Reversible posterior leukoencephalopathy syndrome Reversible splenial lesion syndrome Reye's syndrome Reynold's syndrome Rhabdoid tumour Rhabdomyolysis Rhabdomyoma Rhabdomyosarcoma Rhegmatogenous retinal detachment Rhesus antibodies Rhesus antibodies negative Rhesus antibodies positive Rhesus antigen Rhesus antigen negative Rhesus antigen positive Rhesus incompatibility Rheumatic disorder Rheumatic fever Rheumatic heart disease Rheumatoid arthritis Rheumatoid bursitis Rheumatoid factor Rheumatoid factor decreased Rheumatoid factor increased Rheumatoid factor negative Rheumatoid factor positive Rheumatoid factor quantitative Rheumatoid lung Rheumatoid nodule Rheumatoid vasculitis Rheumatological examination Rhinalgia Rhinitis Rhinitis allergic Rhinitis perennial Rhinolaryngitis Rhinomanometry normal Rhinophyma Rhinoplasty Rhinorrhoea Rhinoscleroma Rhinoscopy Rhinotracheitis Rhinovirus infection Rhonchi Rhythm idioventricular Rib deformity Rib excision Rib fracture Richter's syndrome Rickets Rickettsia antibody Rickettsiosis Rift Valley fever Right aortic arch Right atrial dilatation Right atrial enlargement Right atrial hypertrophy Right atrial pressure increased Right atrial volume abnormal Right atrial volume decreased Right hemisphere deficit syndrome Right ventricle outflow tract obstruction Right ventricular diastolic collapse Right ventricular dilatation Right ventricular dysfunction Right ventricular ejection fraction decreased Right ventricular enlargement Right ventricular failure Right ventricular hypertension Right ventricular hypertrophy Right ventricular systolic pressure Right ventricular systolic pressure decreased Right ventricular systolic pressure increased Right-to-left cardiac shunt Rinne tuning fork test Rinne tuning fork test abnormal Rippling muscle disease Risk of future pregnancy miscarriage Risus sardonicus Road traffic accident Robotic surgery Robust take following exposure to vaccinia virus Rocky mountain spotted fever Romberg test Romberg test positive Root canal infection Rosacea Rosai-Dorfman syndrome Roseola Roseolovirus test Roseolovirus test positive Rotator cuff injury of hip Rotator cuff repair Rotator cuff syndrome Rotator cuff tear arthropathy Rotavirus infection Rotavirus test Rotavirus test negative Rotavirus test positive Rouleaux formation Routine health maintenance Routine immunisation schedule incomplete Routine immunisation schedule not administered Roux loop conversion Rubber sensitivity Rubella Rubella antibody negative Rubella antibody positive Rubella antibody test Rubella immunity confirmed Rubella in pregnancy Rubivirus test positive Rubulavirus test Rubulavirus test positive Ruptured cerebral aneurysm Ruptured ectopic pregnancy Russell's viper venom time Russell's viper venom time abnormal Russell's viper venom time normal SAPHO syndrome SARS-CoV-1 test SARS-CoV-1 test negative SARS-CoV-1 test positive SARS-CoV-2 RNA SARS-CoV-2 RNA fluctuation SARS-CoV-2 RNA increased SARS-CoV-2 RNA undetectable SARS-CoV-2 antibody test SARS-CoV-2 antibody test negative SARS-CoV-2 antibody test positive SARS-CoV-2 carrier SARS-CoV-2 sepsis SARS-CoV-2 test SARS-CoV-2 test false negative SARS-CoV-2 test false positive SARS-CoV-2 test negative SARS-CoV-2 test positive SARS-CoV-2 viraemia SJS-TEN overlap SLE arthritis SRSF2 gene mutation SUNCT syndrome Saccadic eye movement Sacral pain Sacral radiculopathy Sacralisation Sacroiliac fracture Sacroiliac fusion Sacroiliac joint dysfunction Sacroiliitis Saline infusion sonogram Saliva alcohol test Saliva alcohol test positive Saliva altered Saliva analysis Saliva analysis abnormal Saliva analysis normal Saliva discolouration Salivary duct inflammation Salivary duct obstruction Salivary duct stenosis Salivary gland adenoma Salivary gland calculus Salivary gland cancer Salivary gland cancer stage III Salivary gland cyst Salivary gland disorder Salivary gland enlargement Salivary gland induration Salivary gland mass Salivary gland mucocoele Salivary gland neoplasm Salivary gland operation Salivary gland pain Salivary hypersecretion Salivary scan Salmonella bacteraemia Salmonella sepsis Salmonella test Salmonella test negative Salmonella test positive Salmonellosis Salpingectomy Salpingitis Salpingo-oophorectomy Salpingo-oophorectomy bilateral Salpingo-oophorectomy unilateral Salpingo-oophoritis Salpingogram Salpingostomy Salt craving Salt intoxication Sandifer's syndrome Sapovirus test positive Sarcoid-like reaction Sarcoidosis Sarcoidosis of lymph node Sarcoma Sarcoma excision Sarcoma metastatic Sarcoma of skin Sarcoma uterus Sarcopenia Satoyoshi syndrome Scab Scalloped tongue Scalp haematoma Scan Scan abdomen abnormal Scan abnormal Scan adrenal gland Scan adrenal gland abnormal Scan adrenal gland normal Scan bone marrow Scan bone marrow abnormal Scan bone marrow normal Scan brain Scan gallium Scan gallium abnormal Scan gallium normal Scan lymph nodes Scan myocardial perfusion Scan myocardial perfusion abnormal Scan myocardial perfusion normal Scan normal Scan parathyroid Scan spleen Scan thyroid gland Scan with contrast Scan with contrast abnormal Scan with contrast normal Scaphoid abdomen Scapula fracture Scapular dyskinesis Scar Scar discomfort Scar inflammation Scar pain Scarlet fever Scedosporium infection Schamberg's disease Schellong test Schirmer's test Schirmer's test abnormal Schistocytosis Schistosoma test Schistosoma test negative Schistosomiasis Schizoaffective disorder Schizoaffective disorder bipolar type Schizoid personality disorder Schizophrenia Schizophreniform disorder Schizotypal personality disorder School refusal Schwannoma Sciatic nerve injury Sciatic nerve neuropathy Sciatic nerve palsy Sciatica Scimitar syndrome Scintigraphy Scintillating scotoma Scleral buckling surgery Scleral cyst Scleral discolouration Scleral disorder Scleral haemorrhage Scleral hyperaemia Scleral oedema Scleral thinning Scleritis Scleritis allergic Sclerodactylia Scleroderma Scleroderma associated digital ulcer Scleroderma renal crisis Scleroderma-like reaction Scleroedema Sclerotherapy Sclerotylosis Scoliosis Scotoma Scratch Screaming Scrotal abscess Scrotal angiokeratoma Scrotal cancer Scrotal cellulitis Scrotal cyst Scrotal dermatitis Scrotal discomfort Scrotal disorder Scrotal erythema Scrotal exfoliation Scrotal exploration Scrotal haematoma Scrotal haemorrhage Scrotal infection Scrotal inflammation Scrotal mass Scrotal oedema Scrotal pain Scrotal swelling Scrotal ulcer Scrotum erosion Scrub typhus SeHCAT test Seasonal affective disorder Seasonal allergy Sebaceous cyst excision Sebaceous gland disorder Sebaceous gland infection Sebaceous glands overactivity Sebaceous hyperplasia Seborrhoea Seborrhoeic alopecia Seborrhoeic dermatitis Seborrhoeic keratosis Second primary malignancy Second trimester pregnancy Secondary adrenocortical insufficiency Secondary cerebellar degeneration Secondary hypertension Secondary hyperthyroidism Secondary hypogonadism Secondary hypothyroidism Secondary immunodeficiency Secondary progressive multiple sclerosis Secondary syphilis Secondary thrombocytosis Secondary transmission Secretion discharge Sedation Sedation complication Sedative therapy Segmental diverticular colitis Segmented hyalinising vasculitis Seizure Seizure anoxic Seizure cluster Seizure like phenomena Seizure prophylaxis Selective IgA immunodeficiency Selective IgG subclass deficiency Selective IgM immunodeficiency Selective abortion Selective eating disorder Selective mutism Selective polysaccharide antibody deficiency Selenium deficiency Self esteem decreased Self injurious behaviour Self-consciousness Self-destructive behaviour Self-induced vomiting Self-injurious ideation Self-medication Semen analysis Semen analysis abnormal Semen discolouration Semen liquefaction Semen volume decreased Seminal vesicular infection Seminoma Senile dementia Senile osteoporosis Senile pruritus Sensation of blood flow Sensation of foreign body Sensation of heaviness Sensation of pressure Sense of a foreshortened future Sense of oppression Sensitisation Sensitive skin Sensitivity of teeth Sensitivity to weather change Sensorimotor disorder Sensory disturbance Sensory ganglionitis Sensory integrative dysfunction Sensory level Sensory level abnormal Sensory level normal Sensory loss Sensory neuropathy hereditary Sensory overload Sensory processing disorder Sensory processing sensitivity Separation anxiety disorder Sepsis Sepsis neonatal Sepsis syndrome Septal panniculitis Septic arthritis haemophilus Septic arthritis staphylococcal Septic arthritis streptococcal Septic cerebral embolism Septic coagulopathy Septic embolus Septic encephalopathy Septic necrosis Septic pulmonary embolism Septic rash Septic screen Septic shock Septo-optic dysplasia Septoplasty Septum pellucidum agenesis Sequestrectomy Seroconversion test Seroconversion test negative Seroconversion test positive Serology abnormal Serology negative Serology normal Serology positive Serology test Seroma Seroma drainage Seronegative arthritis Serositis Serotonin syndrome Serous retinal detachment Serous retinopathy Serpiginous choroiditis Serratia bacteraemia Serratia infection Serratia sepsis Serratia test positive Serum amyloid A protein Serum amyloid A protein increased Serum colour abnormal Serum ferritin Serum ferritin abnormal Serum ferritin decreased Serum ferritin increased Serum ferritin normal Serum procollagen type III N-terminal propeptide Serum serotonin Serum serotonin decreased Serum serotonin increased Serum sickness Serum sickness-like reaction Severe acute respiratory syndrome Severe asthma with fungal sensitisation Severe cutaneous adverse reaction Severe fever with thrombocytopenia syndrome Severe invasive streptococcal infection Severe mental retardation Severe myoclonic epilepsy of infancy Sex hormone binding globulin Sex hormone binding globulin increased Sexual abstinence Sexual abuse Sexual activity increased Sexual dysfunction Sexual inhibition Sexual transmission of infection Sexually active Sexually inappropriate behaviour Sexually transmitted disease Sexually transmitted disease test Sezary cell count Shared psychotic disorder Shift to the left Shift to the right Shigella infection Shigella test positive Shock Shock haemorrhagic Shock hypoglycaemic Shock symptom Short interpregnancy interval Short stature Short-bowel syndrome Short-chain acyl-coenzyme A dehydrogenase deficiency Shortened cervix Shoshin beriberi Shoulder arthroplasty Shoulder deformity Shoulder dystocia Shoulder fracture Shoulder girdle pain Shoulder injury related to vaccine administration Shoulder operation Shoulder pain Shunt blood flow excessive Shunt infection Shunt malfunction Shunt occlusion Shunt thrombosis Sialoadenitis Sialometry Sicca syndrome Sick building syndrome Sick leave Sick relative Sick sinus syndrome Sickle cell anaemia Sickle cell anaemia with crisis Sickle cell disease Sickle cell trait Sideroblastic anaemia Sight disability Sigmoid sinus thrombosis Sigmoid-shaped ventricular septum Sigmoidectomy Sigmoidoscopy Sigmoidoscopy abnormal Sigmoidoscopy normal Silent myocardial infarction Silent thyroiditis Silicosis Similar reaction on previous exposure to drug Simple partial seizures Simplex virus test positive Single atrium Single component of a two-component product administered Single functional kidney Single photon emission computerised tomogram Single photon emission computerised tomogram abnormal Single photon emission computerised tomogram normal Single umbilical artery Sinoatrial block Sinobronchitis Sinonasal obstruction Sinonasal papilloma Sinoscopy Sinuplasty Sinus antrostomy Sinus arrest Sinus arrhythmia Sinus bradycardia Sinus congestion Sinus disorder Sinus headache Sinus node dysfunction Sinus operation Sinus pain Sinus polyp Sinus rhythm Sinus tachycardia Sinusitis Sinusitis bacterial Sinusitis fungal Sitophobia Sitting disability Sjogren's syndrome Sjogren-Larsson syndrome Skeletal dysplasia Skeletal injury Skeletal muscle enzymes Skeletal survey Skeletal survey abnormal Skeletal survey normal Skin abrasion Skin adhesion Skin atrophy Skin bacterial infection Skin burning sensation Skin cancer Skin candida Skin chapped Skin cosmetic procedure Skin culture Skin culture positive Skin cyst excision Skin degenerative disorder Skin depigmentation Skin discharge Skin discolouration Skin discomfort Skin disorder Skin dystrophy Skin erosion Skin exfoliation Skin fibrosis Skin fissures Skin fragility Skin graft Skin graft infection Skin haemorrhage Skin hyperpigmentation Skin hyperplasia Skin hypertrophy Skin hypopigmentation Skin hypoplasia Skin implant Skin indentation Skin induration Skin infection Skin inflammation Skin injury Skin irritation Skin laceration Skin laxity Skin lesion Skin lesion excision Skin lesion inflammation Skin lesion removal Skin maceration Skin malformation Skin mass Skin necrosis Skin neoplasm excision Skin nodule Skin odour abnormal Skin oedema Skin operation Skin papilloma Skin perfusion pressure test Skin plaque Skin pressure mark Skin procedural complication Skin reaction Skin sensitisation Skin squamous cell carcinoma metastatic Skin striae Skin swelling Skin temperature Skin test Skin test negative Skin test positive Skin texture abnormal Skin tightness Skin turgor decreased Skin ulcer Skin ulcer excision Skin ulcer haemorrhage Skin warm Skin weeping Skin wound Skin wrinkling Skull X-ray Skull X-ray abnormal Skull X-ray normal Skull fracture Skull fractured base Skull malformation Sleep apnoea syndrome Sleep attacks Sleep deficit Sleep disorder Sleep disorder due to a general medical condition Sleep disorder due to general medical condition, hypersomnia type Sleep disorder due to general medical condition, insomnia type Sleep disorder therapy Sleep inertia Sleep paralysis Sleep phase rhythm disturbance Sleep study Sleep study abnormal Sleep study normal Sleep talking Sleep terror Sleep walking Sleep-related eating disorder Slipping rib syndrome Slit-lamp examination Slit-lamp tests abnormal Slit-lamp tests normal Slow response to stimuli Slow speech Sluggishness Small airways disease Small bowel angioedema Small cell carcinoma Small cell lung cancer Small cell lung cancer extensive stage Small cell lung cancer metastatic Small cell lung cancer stage unspecified Small fibre neuropathy Small fontanelle Small for dates baby Small intestinal anastomosis Small intestinal haemorrhage Small intestinal intussusception reduction Small intestinal obstruction Small intestinal obstruction reduction Small intestinal perforation Small intestinal resection Small intestinal stenosis Small intestinal ulcer haemorrhage Small intestine adenocarcinoma Small intestine carcinoma Small intestine gangrene Small intestine neuroendocrine tumour Small intestine operation Small intestine polyp Small intestine ulcer Small size placenta Smallpox Smear buccal Smear buccal abnormal Smear buccal normal Smear cervix Smear cervix abnormal Smear cervix normal Smear site unspecified abnormal Smear site unspecified normal Smear test Smear vagina Smear vaginal abnormal Smear vaginal normal Smegma accumulation Smoke sensitivity Smoking cessation therapy Smooth muscle antibody Smooth muscle antibody negative Smooth muscle antibody positive Snake bite Snapping hip syndrome Sneddon's syndrome Sneezing Snoring Social (pragmatic) communication disorder Social alcohol drinker Social anxiety disorder Social avoidant behaviour Social fear Social phobia Social problem Sodium retention Soft tissue atrophy Soft tissue disorder Soft tissue haemorrhage Soft tissue infection Soft tissue inflammation Soft tissue injury Soft tissue mass Soft tissue necrosis Soft tissue neoplasm Soft tissue sarcoma Soft tissue swelling Solar dermatitis Solar lentigo Solar urticaria Soliloquy Solitary fibrous tumour Soluble fibrin monomer complex Soluble fibrin monomer complex increased Somatic delusion Somatic dysfunction Somatic hallucination Somatic symptom disorder Somatic symptom disorder of pregnancy Somatisation disorder Somatoform disorder Somatosensory evoked potentials Somatosensory evoked potentials abnormal Somatostatin receptor scan Somatostatin receptor scan abnormal Somatotropin stimulation test Somnambulism Somniphobia Somnolence Somnolence neonatal Sopor Spasmodic dysphonia Spastic paralysis Spastic paraplegia Specialist consultation Specific gravity body fluid Specific gravity body fluid normal Specific gravity urine Specific gravity urine abnormal Specific gravity urine decreased Specific gravity urine increased Specific gravity urine normal Speech disorder Speech disorder developmental Speech rehabilitation Speech sound disorder Sperm analysis Sperm analysis abnormal Sperm concentration Sperm concentration abnormal Sperm concentration decreased Sperm concentration increased Sperm count decreased Spermatic cord cyst Spermatic cord disorder Spermatic cord haemorrhage Spermatic cord inflammation Spermatocele Spermatogenesis abnormal Spermatorrhoea Spermatozoa abnormal Sphenoid sinus operation Spherocytic anaemia Sphincter of Oddi dysfunction Sphingomonas paucimobilis infection Spider naevus Spider vein Spina bifida Spinal X-ray Spinal X-ray abnormal Spinal X-ray normal Spinal anaesthesia Spinal artery embolism Spinal artery thrombosis Spinal claudication Spinal column injury Spinal column stenosis Spinal compression fracture Spinal cord abscess Spinal cord compression Spinal cord disorder Spinal cord drainage Spinal cord haematoma Spinal cord haemorrhage Spinal cord infarction Spinal cord infection Spinal cord injury Spinal cord injury cauda equina Spinal cord injury cervical Spinal cord injury lumbar Spinal cord injury thoracic Spinal cord ischaemia Spinal cord lipoma Spinal cord neoplasm Spinal cord oedema Spinal cord operation Spinal cord paralysis Spinal decompression Spinal deformity Spinal disorder Spinal epidural haematoma Spinal epidural haemorrhage Spinal flattening Spinal fracture Spinal fusion acquired Spinal fusion surgery Spinal instability Spinal laminectomy Spinal ligament ossification Spinal manipulation Spinal meningeal cyst Spinal meningioma benign Spinal muscular atrophy Spinal myelogram Spinal myelogram abnormal Spinal myelogram normal Spinal nerve stimulator implantation Spinal operation Spinal osteoarthritis Spinal pain Spinal retrolisthesis Spinal rod insertion Spinal segmental dysfunction Spinal shock Spinal stabilisation Spinal stenosis Spinal stroke Spinal subarachnoid haemorrhage Spinal subdural haematoma Spinal subdural haemorrhage Spinal support Spinal synovial cyst Spinal vascular disorder Spinal vessel congenital anomaly Spindle cell sarcoma Spine malformation Spinocerebellar ataxia Spinocerebellar disorder Spirochaetal infection Spirometry Spirometry abnormal Spirometry normal Spleen atrophy Spleen congestion Spleen contusion Spleen disorder Spleen follicular hyperplasia Spleen ischaemia Spleen palpable Spleen scan abnormal Spleen scan normal Splenectomy Splenic abscess Splenic artery aneurysm Splenic artery embolisation Splenic artery thrombosis Splenic calcification Splenic cyst Splenic embolism Splenic granuloma Splenic haematoma Splenic haemorrhage Splenic infarction Splenic infection Splenic injury Splenic lesion Splenic marginal zone lymphoma Splenic necrosis Splenic neoplasm malignancy unspecified Splenic rupture Splenic thrombosis Splenic varices Splenic vein occlusion Splenic vein thrombosis Splenitis Splenomegaly Splint application Splinter Splinter haemorrhages Spondylitis Spondyloarthropathy Spondylolisthesis Spondylolysis Spontaneous amputation Spontaneous bacterial peritonitis Spontaneous cerebrospinal fluid leak syndrome Spontaneous ejaculation Spontaneous haematoma Spontaneous haemorrhage Spontaneous heparin-induced thrombocytopenia syndrome Spontaneous hyphaema Spontaneous intrahepatic portosystemic venous shunt Spontaneous penile erection Spontaneous rupture of membranes Sporotrichosis Sports injury Spotted fever rickettsia test positive Spur cell anaemia Sputum abnormal Sputum culture Sputum culture positive Sputum decreased Sputum discoloured Sputum increased Sputum normal Sputum purulent Sputum retention Sputum test Squamous cell carcinoma Squamous cell carcinoma antigen Squamous cell carcinoma of head and neck Squamous cell carcinoma of lung Squamous cell carcinoma of pharynx Squamous cell carcinoma of skin Squamous cell carcinoma of the cervix Squamous cell carcinoma of the oral cavity Squamous cell carcinoma of the tongue Stab wound Staphylococcal abscess Staphylococcal bacteraemia Staphylococcal identification test positive Staphylococcal impetigo Staphylococcal infection Staphylococcal scalded skin syndrome Staphylococcal sepsis Staphylococcal skin infection Staphylococcal toxaemia Staphylococcus test Staphylococcus test negative Staphylococcus test positive Staring Starvation Starvation ketoacidosis Stasis dermatitis Stasis syndrome Status asthmaticus Status epilepticus Status migrainosus Steal syndrome Steatohepatitis Steatorrhoea Stem cell therapy Stem cell transplant Stenocephaly Stenosis Stenotrophomonas infection Stenotrophomonas test positive Stent malfunction Stent placement Stent removal Stent-graft endoleak Stereotactic electroencephalography Stereotypy Sterile pyuria Sterilisation Sternal fracture Sternal injury Sternitis Sternotomy Steroid activity Steroid dependence Steroid diabetes Steroid therapy Stertor Stevens-Johnson syndrome Sticky skin Stiff leg syndrome Stiff person syndrome Stiff tongue Still's disease Still's disease adult onset Stillbirth Stoma care Stoma closure Stoma complication Stoma creation Stoma obstruction Stoma prolapse Stoma site discharge Stoma site erythema Stoma site extravasation Stoma site haemorrhage Stoma site hypergranulation Stoma site inflammation Stoma site irritation Stoma site pain Stoma site rash Stomach discomfort Stomach granuloma Stomach lesion excision Stomach mass Stomach scan Stomach scan normal Stomal hernia Stomatitis Stomatitis haemorrhagic Stomatitis necrotising Stomatocytes present Stool DNA test Stool DNA test positive Stool analysis Stool analysis abnormal Stool analysis normal Stool heavy metal positive Stool pH increased Stool reducing substances test Stool trypsin Strabismus Strangulated hernia Strangury Strawberry tongue Streptobacillary fever Streptobacillus infection Streptobacillus test positive Streptococcal abscess Streptococcal bacteraemia Streptococcal endocarditis Streptococcal identification test Streptococcal identification test negative Streptococcal identification test positive Streptococcal infection Streptococcal sepsis Streptococcal serology Streptococcal serology negative Streptococcal serology positive Streptococcal urinary tract infection Streptococcus test Streptococcus test negative Streptococcus test positive Streptokinase antibody increased Stress Stress at work Stress cardiomyopathy Stress echocardiogram Stress echocardiogram abnormal Stress echocardiogram normal Stress fracture Stress management Stress polycythaemia Stress ulcer Stress urinary incontinence Stridor Stroke in evolution Stroke volume Stroke volume decreased Stroke volume normal Stroke-like migraine attacks after radiation therapy Strongyloides test positive Strongyloidiasis Struck by lightning Stump appendicitis Stupor Subacute combined cord degeneration Subacute cutaneous lupus erythematosus Subacute endocarditis Subacute hepatic failure Subacute inflammatory demyelinating polyneuropathy Subacute kidney injury Subacute pancreatitis Subacute sclerosing panencephalitis Subarachnoid haematoma Subarachnoid haemorrhage Subcapsular hepatic haematoma Subcapsular renal haematoma Subcapsular splenic haematoma Subchondral insufficiency fracture Subchorionic haematoma Subchorionic haemorrhage Subclavian artery aneurysm Subclavian artery dissection Subclavian artery embolism Subclavian artery occlusion Subclavian artery stenosis Subclavian artery thrombosis Subclavian steal syndrome Subclavian vein occlusion Subclavian vein stenosis Subclavian vein thrombosis Subcorneal pustular dermatosis Subcutaneous abscess Subcutaneous biopsy Subcutaneous biopsy abnormal Subcutaneous drug absorption impaired Subcutaneous emphysema Subcutaneous haematoma Subcutaneous nodule Subdiaphragmatic abscess Subdural abscess Subdural effusion Subdural empyema Subdural haematoma Subdural haematoma evacuation Subdural haemorrhage Subdural hygroma Subendocardial ischaemia Subependymal nodular heterotopia Subgaleal haematoma Subgaleal haemorrhage Subglottic laryngitis Subileus Submaxillary gland enlargement Subperiosteal abscess Subretinal fibrosis Subretinal fluid Subretinal haematoma Subretinal hyperreflective exudation Substance abuse Substance dependence Substance use Substance use disorder Substance-induced psychotic disorder Subvalvular aortic stenosis Suck-swallow breathing coordination disturbance Sucrase-isomaltase deficiency Sucrose intolerance Sudden cardiac death Sudden death Sudden hearing loss Sudden infant death syndrome Sudden onset of sleep Sudden visual loss Suffocation feeling Suggestibility Suicidal behaviour Suicidal ideation Suicide attempt Suicide of relative Suicide threat Sulcus vocalis Sulphur dioxide test Sunburn Sunscreen sensitivity Superficial inflammatory dermatosis Superficial injury of eye Superficial spreading melanoma stage unspecified Superficial vein prominence Superficial vein thrombosis Superimposed pre-eclampsia Superinfection Superinfection bacterial Superinfection viral Superior mesenteric artery dissection Superior mesenteric artery syndrome Superior sagittal sinus thrombosis Superior semicircular canal dehiscence Superior vena cava occlusion Superior vena cava stenosis Superior vena cava syndrome Supernumerary nipple Supernumerary rib Superovulation Supine hypertension Supine position Supplementation therapy Supportive care Suppressed lactation Supra-aortic trunk stenosis Supraclavicular fossa pain Supranuclear palsy Suprapubic pain Supravalvular aortic stenosis Supraventricular extrasystoles Supraventricular tachyarrhythmia Supraventricular tachycardia Surfactant protein Surfactant protein increased Surgery Surgical failure Surgical fixation of rib fracture Surgical procedure repeated Surgical stapling Susac's syndrome Suspected COVID-19 Suspected counterfeit product Suspected product contamination Suspected product quality issue Suspected product tampering Suspected suicide Suspected transmission of an infectious agent via product Suspiciousness Sustained viral response Suture insertion Suture related complication Suture removal Suture rupture Swallow study Swallow study abnormal Swan ganz catheter placement Sweat chloride test Sweat discolouration Sweat gland disorder Sweat gland infection Sweat test Sweat test abnormal Sweat test normal Sweating fever Swelling Swelling face Swelling of eyelid Swine influenza Swollen joint count Swollen joint count increased Swollen tear duct Swollen tongue Sydenham's chorea Symblepharon Symmetrical drug-related intertriginous and flexural exanthema Sympathetic nerve destruction Sympathetic nerve injury Sympathetic ophthalmia Sympathetic posterior cervical syndrome Sympathicotonia Symphysiolysis Symptom masked Symptom recurrence Synaesthesia Syncope Syncope vasovagal Syndactyly Syndesmophyte Synkinesis Synostosis Synovectomy Synovial biopsy Synovial biopsy abnormal Synovial cyst Synovial cyst removal Synovial disorder Synovial fluid analysis Synovial fluid analysis abnormal Synovial fluid analysis normal Synovial fluid cell count Synovial fluid crystal Synovial fluid crystal present Synovial fluid protein Synovial fluid red blood cells positive Synovial fluid white blood cells Synovial fluid white blood cells positive Synovial rupture Synoviorthesis Synovitis Syphilis Syphilis genital Syphilis test Syphilis test false positive Syphilis test negative Syphilis test positive Syringe issue Syringomyelia Systemic bacterial infection Systemic bartonellosis Systemic candida Systemic immune activation Systemic infection Systemic inflammatory response syndrome Systemic leakage Systemic lupus erythematosus Systemic lupus erythematosus disease activity index abnormal Systemic lupus erythematosus disease activity index decreased Systemic lupus erythematosus disease activity index increased Systemic lupus erythematosus rash Systemic mastocytosis Systemic mycosis Systemic scleroderma Systemic sclerosis Systemic sclerosis pulmonary Systemic toxicity Systemic viral infection Systolic anterior motion of mitral valve Systolic dysfunction Systolic hypertension T-cell lymphoma T-cell lymphoma recurrent T-cell lymphoma stage III T-cell lymphoma stage IV T-cell prolymphocytic leukaemia T-cell receptor gene rearrangement test T-cell type acute leukaemia T-lymphocyte count T-lymphocyte count abnormal T-lymphocyte count decreased T-lymphocyte count increased T-lymphocyte count normal TEMPI syndrome TORCH infection TP53 gene mutation TRPV4 gene mutation Tachyarrhythmia Tachycardia Tachycardia foetal Tachycardia induced cardiomyopathy Tachycardia paroxysmal Tachyphrenia Tachypnoea Taciturnity Taeniasis Takayasu's arteritis Talipes Talipes correction Tandem gait test Tandem gait test abnormal Tandem gait test normal Tangentiality Tanning Tardive dyskinesia Target skin lesion Targeted cancer therapy Tarsal tunnel decompression Tarsal tunnel syndrome Tartrate-resistant acid phosphatase increased Taste disorder Tattoo Tattoo excision Tear break up time test Tear discolouration Tearfulness Teeth brittle Teething Telangiectasia Telemedicine Temperature difference of extremities Temperature intolerance Temperature perception test abnormal Temperature perception test decreased Temperature perception test increased Temperature perception test normal Temperature regulation disorder Temporal arteritis Temporal lobe epilepsy Temporary mechanical circulatory support Temporary transvenous pacing Temporomandibular joint surgery Temporomandibular joint syndrome Tender joint count Tenderness Tendinous contracture Tendon calcification Tendon discomfort Tendon dislocation Tendon disorder Tendon injury Tendon laxity Tendon operation Tendon pain Tendon rupture Tendon sheath disorder Tendon sheath effusion Tendon sheath incision Tendonitis Tenodesis Tenoplasty Tenosynovitis Tenosynovitis stenosans Tenotomy Tensilon test Tensilon test abnormal Tensilon test normal Tension Tension headache Tensor fasciae latae syndrome Teratogenicity Teratoma Teratospermia Term baby Term birth Terminal agitation Terminal ileitis Terminal insomnia Terminal state Tessellated fundus Testes exploration Testicular abscess Testicular appendage torsion Testicular atrophy Testicular cyst Testicular disorder Testicular failure Testicular germ cell tumour Testicular haemorrhage Testicular infarction Testicular injury Testicular mass Testicular microlithiasis Testicular necrosis Testicular neoplasm Testicular oedema Testicular operation Testicular pain Testicular retraction Testicular scan Testicular scan abnormal Testicular swelling Testicular torsion Testis cancer Testis discomfort Tetanus Tetanus antibody Tetanus antibody negative Tetanus immunisation Tetanus neonatorum Tetany Thalamic infarction Thalamic stroke Thalamus haemorrhage Thalassaemia Thalassaemia alpha Thalassaemia minor Thanatophobia Thanatophoric dwarfism Thecal sac compression Thelitis Therapeutic aspiration Therapeutic embolisation Therapeutic gargle Therapeutic hypothermia Therapeutic nerve ablation Therapeutic procedure Therapeutic product cross-reactivity Therapeutic product effect decreased Therapeutic product effect delayed Therapeutic product effect incomplete Therapeutic product effect increased Therapeutic product effect prolonged Therapeutic product effect variable Therapeutic product effective for unapproved indication Therapeutic product ineffective Therapeutic reaction time decreased Therapeutic response changed Therapeutic response decreased Therapeutic response delayed Therapeutic response increased Therapeutic response prolonged Therapeutic response shortened Therapeutic response unexpected Therapeutic skin care topical Therapy cessation Therapy change Therapy interrupted Therapy naive Therapy non-responder Therapy partial responder Therapy regimen changed Therapy responder Thermal burn Thermal burns of eye Thermoanaesthesia Thermogram Thermogram abnormal Thermohyperaesthesia Thermohypoaesthesia Thermometry Thermometry abnormal Thermometry normal Thermophobia Thinking abnormal Thiopurine methyltransferase Thiopurine methyltransferase decreased Thiopurine methyltransferase polymorphism Third stage postpartum haemorrhage Third trimester pregnancy Thirst Thirst decreased Thoracic cavity drainage Thoracic cavity drainage test Thoracic cavity lavage Thoracic haemorrhage Thoracic operation Thoracic outlet surgery Thoracic outlet syndrome Thoracic radiculopathy Thoracic spinal cord paralysis Thoracic spinal stenosis Thoracic vertebral fracture Thoracoplasty Thoracostomy Thoracotomy Thought blocking Thought broadcasting Thought insertion Threat of redundancy Threatened labour Throat cancer Throat clearing Throat irritation Throat lesion Throat tightness Thrombectomy Thrombin time Thrombin time abnormal Thrombin time normal Thrombin time prolonged Thrombin time shortened Thrombin-antithrombin III complex Thrombin-antithrombin III complex normal Thromboangiitis obliterans Thrombocythaemia Thrombocytopenia Thrombocytopenia neonatal Thrombocytopenic purpura Thrombocytosis Thromboelastogram Thromboembolectomy Thrombolysis Thrombophlebitis Thrombophlebitis migrans Thrombophlebitis septic Thrombophlebitis superficial Thrombopoietin level abnormal Thrombosed varicose vein Thrombosis Thrombosis corpora cavernosa Thrombosis in device Thrombosis mesenteric vessel Thrombosis prophylaxis Thrombosis with thrombocytopenia syndrome Thrombotic cerebral infarction Thrombotic microangiopathy Thrombotic stroke Thrombotic thrombocytopenic purpura Thumb sucking Thunderclap headache Thymectomy Thymic cyst Thymol turbidity test Thymoma Thymoma benign Thymoma malignant Thymus disorder Thymus enlargement Thymus hypoplasia Thyroglobulin Thyroglobulin absent Thyroglobulin increased Thyroglobulin present Thyroglossal cyst Thyroglossal cyst excision Thyroid adenoma Thyroid atrophy Thyroid calcification Thyroid cancer Thyroid cancer metastatic Thyroid cancer recurrent Thyroid cancer stage 0 Thyroid cyst Thyroid dermatopathy Thyroid disorder Thyroid function test Thyroid function test abnormal Thyroid function test normal Thyroid gland abscess Thyroid gland cancer Thyroid gland injury Thyroid gland scan abnormal Thyroid gland scan normal Thyroid haemorrhage Thyroid hormone replacement therapy Thyroid hormones decreased Thyroid hormones increased Thyroid hormones test Thyroid mass Thyroid neoplasm Thyroid nodule removal Thyroid operation Thyroid pain Thyroid releasing hormone challenge test Thyroid stimulating hormone deficiency Thyroid stimulating immunoglobulin Thyroid stimulating immunoglobulin increased Thyroid therapy Thyroidectomy Thyroiditis Thyroiditis acute Thyroiditis chronic Thyroiditis subacute Thyrotoxic cardiomyopathy Thyrotoxic crisis Thyrotoxic periodic paralysis Thyroxin binding globulin Thyroxin binding globulin increased Thyroxine Thyroxine abnormal Thyroxine decreased Thyroxine free Thyroxine free abnormal Thyroxine free decreased Thyroxine free increased Thyroxine free normal Thyroxine increased Thyroxine normal Tibia fracture Tic Tick paralysis Tick-borne viral encephalitis Tidal volume Tidal volume abnormal Tidal volume decreased Tilt table test Tilt table test normal Tilt table test positive Time perception altered Tinea capitis Tinea cruris Tinea infection Tinea pedis Tinea versicolour Tinel's sign Tinetti test Tinnitus Tissue discolouration Tissue expansion procedure Tissue infiltration Tissue injury Tissue irritation Tissue polypeptide antigen Tissue polypeptide antigen increased Tissue rupture Tobacco abuse Tobacco user Tobacco withdrawal symptoms Tocolysis Toe amputation Toe operation Toe walking Tolosa-Hunt syndrome Tongue abscess Tongue atrophy Tongue biting Tongue black hairy Tongue blistering Tongue cancer recurrent Tongue coated Tongue cyst Tongue discolouration Tongue discomfort Tongue disorder Tongue dry Tongue dysplasia Tongue eruption Tongue erythema Tongue exfoliation Tongue fungal infection Tongue geographic Tongue haematoma Tongue haemorrhage Tongue induration Tongue injury Tongue movement disturbance Tongue neoplasm Tongue neoplasm malignant stage unspecified Tongue oedema Tongue operation Tongue paralysis Tongue pigmentation Tongue polyp Tongue pruritus Tongue rough Tongue spasm Tongue thrust Tongue tie operation Tongue ulceration Tonic clonic movements Tonic convulsion Tonic posturing Tonsil cancer Tonsil cancer metastatic Tonsillar cyst Tonsillar disorder Tonsillar erythema Tonsillar exudate Tonsillar haemorrhage Tonsillar hypertrophy Tonsillar inflammation Tonsillar neoplasm Tonsillar ulcer Tonsillectomy Tonsillitis Tonsillitis bacterial Tonsillitis streptococcal Tonsillolith Tooth abscess Tooth avulsion Tooth demineralisation Tooth deposit Tooth development disorder Tooth discolouration Tooth dislocation Tooth disorder Tooth erosion Tooth extraction Tooth fracture Tooth hypoplasia Tooth impacted Tooth infection Tooth injury Tooth loss Tooth malformation Tooth repair Tooth resorption Tooth restoration Tooth socket haemorrhage Toothache Topography corneal Topography corneal abnormal Torsade de pointes Torticollis Torus fracture Total bile acids Total bile acids increased Total cholesterol/HDL ratio Total cholesterol/HDL ratio abnormal Total cholesterol/HDL ratio decreased Total cholesterol/HDL ratio increased Total cholesterol/HDL ratio normal Total complement activity decreased Total complement activity increased Total complement activity test Total fluid output Total lung capacity Total lung capacity abnormal Total lung capacity decreased Total lung capacity increased Total lung capacity normal Total neuropathy score Tourette's disorder Tourniquet application Toxic anterior segment syndrome Toxic cardiomyopathy Toxic encephalopathy Toxic epidermal necrolysis Toxic goitre Toxic neuropathy Toxic nodular goitre Toxic optic neuropathy Toxic shock syndrome Toxic shock syndrome staphylococcal Toxic shock syndrome streptococcal Toxic skin eruption Toxicity to various agents Toxicologic test Toxicologic test abnormal Toxicologic test normal Toxocariasis Toxoplasma serology Toxoplasma serology negative Toxoplasma serology positive Toxoplasmosis Trabeculectomy Trace element deficiency Tracheal aspirate culture Tracheal aspiration procedure Tracheal cancer Tracheal compression Tracheal deviation Tracheal dilatation Tracheal dilation procedure Tracheal disorder Tracheal diverticulum Tracheal fistula repair Tracheal haemorrhage Tracheal inflammation Tracheal injury Tracheal neoplasm Tracheal obstruction Tracheal oedema Tracheal pain Tracheal stenosis Tracheal ulcer Tracheitis Tracheitis obstructive Tracheo-oesophageal fistula Tracheobronchial stent insertion Tracheobronchitis Tracheobronchitis bacterial Tracheomalacia Tracheoscopy Tracheostomy Tracheostomy infection Tracheostomy malfunction Tracheostomy tube removal Trachoma Traction Tractional retinal detachment Trance Trans-sexualism Transaminases Transaminases abnormal Transaminases decreased Transaminases increased Transcatheter aortic valve implantation Transcranial electrical motor evoked potential monitoring Transcranial electrical motor evoked potential monitoring abnormal Transcranial magnetic stimulation Transcription medication error Transcutaneous pacing Transfer factor reduced Transferrin Transferrin abnormal Transferrin decreased Transferrin increased Transferrin normal Transferrin receptor assay Transferrin saturation Transferrin saturation abnormal Transferrin saturation decreased Transferrin saturation increased Transfusion Transfusion reaction Transfusion related complication Transient acantholytic dermatosis Transient aphasia Transient elastography Transient epileptic amnesia Transient global amnesia Transient hypogammaglobulinaemia of infancy Transient ischaemic attack Transient lingual papillitis Transient psychosis Transient tachypnoea of the newborn Transillumination Transitional cell cancer of the renal pelvis and ureter Transitional cell carcinoma Transitional cell carcinoma metastatic Transitional cell carcinoma urethra Transmembrane receptor tyrosine kinase assay Transmission of an infectious agent via a medicinal product Transmission of an infectious agent via product Transplant Transplant dysfunction Transplant evaluation Transplant failure Transplant rejection Transplantation complication Transposition of the great vessels Transsphenoidal surgery Transurethral bladder resection Transurethral incision of prostate Transurethral prostatectomy Transvalvular pressure gradient Transvalvular pressure gradient abnormal Transvalvular pressure gradient increased Transverse presentation Transverse sinus stenosis Transverse sinus thrombosis Traumatic brain injury Traumatic delivery Traumatic fracture Traumatic haematoma Traumatic haemorrhage Traumatic haemothorax Traumatic heart injury Traumatic intracranial haemorrhage Traumatic liver injury Traumatic lumbar puncture Traumatic lung injury Traumatic renal injury Traumatic shock Traumatic tooth displacement Treatment delayed Treatment failure Treatment noncompliance Trematode infection Tremor Tremor neonatal Trendelenburg position Trendelenburg's symptom Treponema test Treponema test false positive Treponema test negative Treponema test positive Tri-iodothyronine Tri-iodothyronine abnormal Tri-iodothyronine decreased Tri-iodothyronine free Tri-iodothyronine free abnormal Tri-iodothyronine free decreased Tri-iodothyronine free increased Tri-iodothyronine free normal Tri-iodothyronine increased Tri-iodothyronine normal Tri-iodothyronine uptake Tri-iodothyronine uptake decreased Tri-iodothyronine uptake increased Trial of void Trichiasis Trichiniasis Trichodynia Trichoglossia Trichomoniasis Trichorrhexis Trichotillomania Trichuriasis Tricuspid valve calcification Tricuspid valve disease Tricuspid valve incompetence Tricuspid valve prolapse Tricuspid valve repair Tricuspid valve replacement Tricuspid valve stenosis Tricuspid valve thickening Trifascicular block Trigeminal nerve disorder Trigeminal nerve injection Trigeminal nerve paresis Trigeminal neuralgia Trigeminal neuritis Trigeminal neuropathy Trigeminal palsy Trigger finger Triple hit lymphoma Triple negative breast cancer Triple positive breast cancer Trismus Trisomy 12 Trisomy 13 Trisomy 15 Trisomy 16 Trisomy 18 Trisomy 21 Trisomy 22 Trisomy 8 Trombidiasis Tropical spastic paresis Troponin Troponin C Troponin I Troponin I abnormal Troponin I decreased Troponin I increased Troponin I normal Troponin T Troponin T increased Troponin T normal Troponin abnormal Troponin decreased Troponin increased Troponin normal Trousseau's sign Truncus arteriosus persistent Truncus coeliacus thrombosis Trunk injury Tryptase Tryptase decreased Tryptase increased Tubal rupture Tuberculin test Tuberculin test false positive Tuberculin test negative Tuberculin test positive Tuberculoma of central nervous system Tuberculosis Tuberculosis bladder Tuberculosis gastrointestinal Tuberculosis of central nervous system Tuberculosis of eye Tuberculosis skin test positive Tuberculosis test negative Tuberculous pleurisy Tuberous sclerosis Tuberous sclerosis complex Tubo-ovarian abscess Tubulointerstitial nephritis Tubulointerstitial nephritis and uveitis syndrome Tularaemia Tumefactive multiple sclerosis Tumour ablation Tumour biopsy Tumour excision Tumour flare Tumour haemorrhage Tumour lysis syndrome Tumour marker abnormal Tumour marker decreased Tumour marker increased Tumour marker test Tumour necrosis Tumour necrosis factor receptor-associated periodic syndrome Tumour pain Tumour perforation Tumour rupture Tumour thrombosis Tumour ulceration Tumour vaccine therapy Tunnel vision Turbinectomy Turner's syndrome Twiddler's syndrome Twin pregnancy Twin reversed arterial perfusion sequence malformation Tympanic membrane disorder Tympanic membrane hyperaemia Tympanic membrane perforation Tympanic membrane scarring Tympanometry Tympanometry abnormal Tympanometry normal Tympanoplasty Tympanosclerosis Tympanoscopy Type 1 diabetes mellitus Type 2 diabetes mellitus Type 2 lepra reaction Type I hypersensitivity Type II hypersensitivity Type III immune complex mediated reaction Type IIa hyperlipidaemia Type IV hypersensitivity reaction Type V hyperlipidaemia Typhoid fever Typhus Typhus rickettsia test Typhus rickettsia test positive Typical aura without headache Tyrosinaemia Tyrosine kinase mutation assay UV light therapy Ubiquinone Ubiquinone decreased Uhthoff's phenomenon Ulcer Ulcer haemorrhage Ulcerative duodenitis Ulcerative gastritis Ulcerative keratitis Ulna fracture Ulnar nerve injury Ulnar nerve palsy Ulnar neuritis Ulnar tunnel syndrome Ulnocarpal abutment syndrome Ultrasonic angiogram Ultrasonic angiogram normal Ultrasound Doppler Ultrasound Doppler abnormal Ultrasound Doppler normal Ultrasound abdomen Ultrasound abdomen abnormal Ultrasound abdomen normal Ultrasound antenatal screen Ultrasound antenatal screen abnormal Ultrasound antenatal screen normal Ultrasound biliary tract Ultrasound biliary tract abnormal Ultrasound biliary tract normal Ultrasound bladder Ultrasound bladder abnormal Ultrasound bladder normal Ultrasound breast Ultrasound breast abnormal Ultrasound breast normal Ultrasound chest Ultrasound eye Ultrasound eye abnormal Ultrasound eye normal Ultrasound foetal Ultrasound foetal abnormal Ultrasound head Ultrasound head abnormal Ultrasound head normal Ultrasound joint Ultrasound kidney Ultrasound kidney abnormal Ultrasound kidney normal Ultrasound liver Ultrasound liver abnormal Ultrasound liver normal Ultrasound lymph nodes Ultrasound ovary Ultrasound ovary abnormal Ultrasound pancreas Ultrasound pancreas abnormal Ultrasound pancreas normal Ultrasound pelvis Ultrasound pelvis abnormal Ultrasound pelvis normal Ultrasound penis Ultrasound prostate Ultrasound prostate abnormal Ultrasound scan Ultrasound scan abnormal Ultrasound scan normal Ultrasound scan vagina Ultrasound scan vagina abnormal Ultrasound scan vagina normal Ultrasound skull Ultrasound skull abnormal Ultrasound skull normal Ultrasound spleen Ultrasound testes Ultrasound testes abnormal Ultrasound testes normal Ultrasound therapy Ultrasound thyroid Ultrasound thyroid abnormal Ultrasound thyroid normal Ultrasound urinary system Ultrasound uterus Ultrasound uterus abnormal Ultrasound uterus normal Umbilical cord abnormality Umbilical cord around neck Umbilical cord blood pH Umbilical cord compression Umbilical cord prolapse Umbilical cord short Umbilical cord thrombosis Umbilical discharge Umbilical erythema Umbilical granuloma Umbilical haematoma Umbilical haemorrhage Umbilical hernia Umbilical hernia repair Uncinate fits Underdose Underimmunisation Undersensing Underweight Undifferentiated connective tissue disease Undifferentiated nasopharyngeal carcinoma Undifferentiated sarcoma Undifferentiated spondyloarthritis Unemployment Unevaluable event Unevaluable investigation Unevaluable specimen Unhealthy diet Unhealthy lifestyle Unintended pregnancy Unintentional medical device removal Unintentional use for unapproved indication Univentricular heart Unknown schedule of product administration Unmasking of previously unidentified disease Unresponsive to stimuli Unwanted pregnancy Up and down phenomenon Upper airway obstruction Upper extremity mass Upper gastrointestinal haemorrhage Upper limb fracture Upper motor neurone lesion Upper respiratory tract congestion Upper respiratory tract endoscopy Upper respiratory tract infection Upper respiratory tract infection bacterial Upper respiratory tract inflammation Upper respiratory tract irritation Upper-airway cough syndrome Urachal abnormality Uraemic encephalopathy Uraemic gastropathy Urea renal clearance Urea renal clearance decreased Urea urine Urea urine abnormal Urea urine decreased Urea urine increased Urea urine normal Ureaplasma infection Ureaplasma test positive Ureteral catheterisation Ureteral disorder Ureteral neoplasm Ureteral stent insertion Ureteral stent removal Ureteral wall thickening Ureteric calculus removal Ureteric cancer Ureteric compression Ureteric dilatation Ureteric haemorrhage Ureteric injury Ureteric obstruction Ureteric stenosis Ureteritis Ureterolithiasis Ureterolithotomy Ureteroscopy Ureteroscopy abnormal Urethral atresia Urethral bulking agent injection Urethral carbuncle Urethral caruncle Urethral cyst Urethral dilatation Urethral dilation procedure Urethral discharge Urethral disorder Urethral fistula Urethral haemorrhage Urethral injury Urethral intrinsic sphincter deficiency Urethral meatus stenosis Urethral obstruction Urethral pain Urethral polyp Urethral repair Urethral spasm Urethral stenosis Urethral syndrome Urethral ulcer Urethral valves Urethritis Urethritis gonococcal Urethritis noninfective Urge incontinence Urinary assistance device user Urinary bladder haematoma Urinary bladder haemorrhage Urinary bladder polyp Urinary bladder rupture Urinary bladder suspension Urinary bladder toxicity Urinary casts Urinary casts absent Urinary casts present Urinary cystectomy Urinary hesitation Urinary incontinence Urinary nitrogen increased Urinary occult blood Urinary occult blood negative Urinary occult blood positive Urinary retention Urinary retention postoperative Urinary sediment Urinary sediment abnormal Urinary sediment present Urinary squamous epithelial cells increased Urinary stone analysis Urinary straining Urinary system X-ray Urinary system x-ray abnormal Urinary system x-ray normal Urinary tract candidiasis Urinary tract discomfort Urinary tract disorder Urinary tract imaging Urinary tract imaging abnormal Urinary tract infection Urinary tract infection bacterial Urinary tract infection enterococcal Urinary tract infection fungal Urinary tract infection neonatal Urinary tract infection pseudomonal Urinary tract infection staphylococcal Urinary tract infection viral Urinary tract inflammation Urinary tract malformation Urinary tract neoplasm Urinary tract obstruction Urinary tract operation Urinary tract pain Urinary tract procedural complication Urinary tract stoma complication Urinary tract toxicity Urine abnormality Urine albumin/creatinine ratio Urine albumin/creatinine ratio increased Urine albumin/creatinine ratio normal Urine alcohol test Urine alcohol test negative Urine alcohol test positive Urine alkalinisation therapy Urine aluminium Urine aluminium increased Urine amphetamine Urine amphetamine negative Urine amphetamine positive Urine analysis Urine analysis abnormal Urine analysis normal Urine antigen test Urine arsenic Urine arsenic decreased Urine arsenic increased Urine barbiturates Urine beryllium increased Urine bilirubin decreased Urine bilirubin increased Urine calcium Urine calcium increased Urine calcium/creatinine ratio Urine cannabinoids increased Urine chloride Urine chloride decreased Urine chloride increased Urine chromium Urine colour abnormal Urine copper Urine copper increased Urine cytology Urine cytology abnormal Urine cytology normal Urine delta aminolevulinate Urine electrolytes Urine electrolytes abnormal Urine electrolytes decreased Urine electrolytes normal Urine electrophoresis Urine electrophoresis abnormal Urine electrophoresis normal Urine flow decreased Urine glucose false positive Urine homocystine Urine human chorionic gonadotropin Urine human chorionic gonadotropin negative Urine human chorionic gonadotropin normal Urine human chorionic gonadotropin positive Urine iron decreased Urine ketone body Urine ketone body absent Urine ketone body present Urine lactic acid increased Urine leukocyte esterase Urine leukocyte esterase positive Urine magnesium Urine mercury Urine mercury abnormal Urine mercury normal Urine nitrogen Urine odour abnormal Urine organic acid test Urine osmolarity Urine osmolarity decreased Urine osmolarity increased Urine osmolarity normal Urine output Urine output decreased Urine output increased Urine oxalate Urine phosphate decreased Urine phosphorus Urine phosphorus normal Urine porphobilinogen increased Urine porphobilinogen normal Urine potassium Urine potassium decreased Urine potassium increased Urine potassium normal Urine protein, quantitative Urine protein/creatinine ratio Urine protein/creatinine ratio abnormal Urine protein/creatinine ratio decreased Urine protein/creatinine ratio increased Urine protein/creatinine ratio normal Urine retinol binding protein increased Urine sodium Urine sodium abnormal Urine sodium decreased Urine sodium increased Urine sodium normal Urine uric acid Urine uric acid abnormal Urine uric acid decreased Urine uric acid increased Urine uric acid normal Urine viscosity increased Urinoma Urobilin urine Urobilin urine absent Urobilin urine present Urobilinogen faeces normal Urobilinogen urine Urobilinogen urine decreased Urobilinogen urine increased Urodynamics measurement Urodynamics measurement abnormal Urogenital disorder Urogenital fistula Urogenital haemorrhage Urogenital infection bacterial Urogenital infection fungal Urogram Urogram abnormal Urogram normal Urological examination Urological examination abnormal Urological examination normal Urosepsis Urostomy Urostomy complication Urticaria Urticaria aquagenic Urticaria cholinergic Urticaria chronic Urticaria contact Urticaria generalised Urticaria papular Urticaria physical Urticaria pigmentosa Urticaria pressure Urticaria thermal Urticaria vesiculosa Urticaria vibratory Urticarial dermatitis Urticarial vasculitis Use of accessory respiratory muscles Useless hand syndrome Uterine abscess Uterine adhesions Uterine artery embolisation Uterine atony Uterine atrophy Uterine cancer Uterine cervical erosion Uterine cervical laceration Uterine cervical pain Uterine cervical squamous metaplasia Uterine cervix dilation procedure Uterine cervix hyperplasia Uterine cervix stenosis Uterine cervix ulcer Uterine contractions abnormal Uterine contractions during pregnancy Uterine cyst Uterine dehiscence Uterine dilation and curettage Uterine dilation and evacuation Uterine disorder Uterine enlargement Uterine fibrosis Uterine haematoma Uterine haemorrhage Uterine hypertonus Uterine hypotonus Uterine infection Uterine inflammation Uterine injury Uterine inversion Uterine irritability Uterine leiomyoma Uterine leiomyoma embolisation Uterine malposition Uterine mass Uterine myoma expulsion Uterine necrosis Uterine neoplasm Uterine operation Uterine pain Uterine polyp Uterine polypectomy Uterine prolapse Uterine repair Uterine rupture Uterine scar Uterine spasm Uterine tenderness Uveal melanoma Uveal prolapse Uveitis Uveitis-glaucoma-hyphaema syndrome Uvulitis Uvulopalatopharyngoplasty VACTERL syndrome VEXAS syndrome VIIIth nerve injury VIIIth nerve lesion VIIth nerve injury VIIth nerve paralysis VIth nerve disorder VIth nerve injury VIth nerve paralysis VIth nerve paresis Vaccination complication Vaccination error Vaccination failure Vaccination site abscess Vaccination site abscess sterile Vaccination site anaesthesia Vaccination site atrophy Vaccination site bruising Vaccination site calcification Vaccination site cellulitis Vaccination site coldness Vaccination site cyst Vaccination site dermatitis Vaccination site discharge Vaccination site discolouration Vaccination site discomfort Vaccination site dryness Vaccination site dysaesthesia Vaccination site eczema Vaccination site erosion Vaccination site erythema Vaccination site eschar Vaccination site exfoliation Vaccination site extravasation Vaccination site fibrosis Vaccination site granuloma Vaccination site haematoma Vaccination site haemorrhage Vaccination site hyperaesthesia Vaccination site hypersensitivity Vaccination site hypertrichosis Vaccination site hypertrophy Vaccination site hypoaesthesia Vaccination site induration Vaccination site infection Vaccination site inflammation Vaccination site injury Vaccination site irritation Vaccination site ischaemia Vaccination site joint discomfort Vaccination site joint effusion Vaccination site joint erythema Vaccination site joint infection Vaccination site joint inflammation Vaccination site joint movement impairment Vaccination site joint pain Vaccination site joint swelling Vaccination site joint warmth Vaccination site laceration Vaccination site lymphadenopathy Vaccination site macule Vaccination site mass Vaccination site movement impairment Vaccination site necrosis Vaccination site nerve damage Vaccination site nodule Vaccination site oedema Vaccination site pain Vaccination site pallor Vaccination site papule Vaccination site paraesthesia Vaccination site phlebitis Vaccination site photosensitivity reaction Vaccination site plaque Vaccination site pruritus Vaccination site pustule Vaccination site rash Vaccination site reaction Vaccination site recall reaction Vaccination site scab Vaccination site scar Vaccination site streaking Vaccination site swelling Vaccination site thrombosis Vaccination site ulcer Vaccination site urticaria Vaccination site vasculitis Vaccination site vesicles Vaccination site warmth Vaccine associated enhanced disease Vaccine associated enhanced respiratory disease Vaccine associated paralytic poliomyelitis Vaccine bacteria shedding Vaccine breakthrough infection Vaccine coadministration Vaccine induced antibody absent Vaccine positive rechallenge Vaccine virus shedding Vaccinia Vaccinia test positive Vaccinia virus infection Vacuum aspiration Vacuum extractor delivery Vagal nerve stimulator implantation Vaginal abscess Vaginal cancer Vaginal cancer recurrent Vaginal cancer stage 0 Vaginal candidiasis Vaginal cellulitis Vaginal cyst Vaginal dilation procedure Vaginal discharge Vaginal disorder Vaginal dysplasia Vaginal erosion Vaginal fistula Vaginal flatulence Vaginal haematoma Vaginal haemorrhage Vaginal infection Vaginal inflammation Vaginal laceration Vaginal lesion Vaginal mucosal blistering Vaginal neoplasm Vaginal odour Vaginal oedema Vaginal pH abnormal Vaginal pain Vaginal polyp Vaginal prolapse Vaginal removal of intrauterine foreign body Vaginal swelling Vaginal ulceration Vaginismus Vaginitis bacterial Vaginitis gardnerella Vagotomy Vagus nerve disorder Vagus nerve paralysis Valsalva maneuver Valvuloplasty cardiac Vanillyl mandelic acid urine Vanishing twin syndrome Variant Creutzfeldt-Jakob disease Varicella Varicella encephalitis Varicella immunisation Varicella keratitis Varicella meningitis Varicella post vaccine Varicella virus test Varicella virus test negative Varicella virus test positive Varicella zoster oesophagitis Varicella zoster pneumonia Varicella zoster serology negative Varicella zoster virus infection Varicella zoster virus serology positive Varices oesophageal Varicocele Varicophlebitis Varicose ulceration Varicose vein Varicose vein operation Varicose vein ruptured Varicose veins of abdominal wall Varicose veins pelvic Varicose veins vaginal Vasa praevia Vascular access complication Vascular access malfunction Vascular access placement Vascular access site dissection Vascular access site extravasation Vascular access site pain Vascular access site swelling Vascular access site thrombosis Vascular anastomosis Vascular anomaly Vascular calcification Vascular catheter specimen collection Vascular catheterisation Vascular cauterisation Vascular cognitive impairment Vascular compression Vascular compression therapy Vascular dementia Vascular device infection Vascular device occlusion Vascular device user Vascular dissection Vascular encephalopathy Vascular endothelial growth factor assay Vascular endothelial growth factor overexpression Vascular fragility Vascular graft Vascular graft complication Vascular graft infection Vascular graft occlusion Vascular graft stenosis Vascular graft thrombosis Vascular headache Vascular imaging Vascular injury Vascular insufficiency Vascular malformation Vascular neoplasm Vascular occlusion Vascular operation Vascular pain Vascular parkinsonism Vascular procedure complication Vascular pseudoaneurysm Vascular pseudoaneurysm ruptured Vascular purpura Vascular resistance pulmonary Vascular resistance pulmonary decreased Vascular resistance pulmonary increased Vascular resistance systemic Vascular resistance systemic decreased Vascular resistance systemic increased Vascular rupture Vascular shunt Vascular skin disorder Vascular stenosis Vascular stent insertion Vascular stent occlusion Vascular stent stenosis Vascular stent thrombosis Vascular test Vascular test abnormal Vascular test normal Vascular wall hypertrophy Vasculitic rash Vasculitic ulcer Vasculitis Vasculitis cerebral Vasculitis gastrointestinal Vasculitis necrotising Vasectomy Vasoactive intestinal polypeptide test Vasoconstriction Vasodilatation Vasodilation procedure Vasogenic cerebral oedema Vasomotor rhinitis Vasoplegia syndrome Vasopressive therapy Vasospasm Vegan Vein collapse Vein discolouration Vein disorder Vein dissection Vein pain Vein rupture Velamentous cord insertion Velopharyngeal incompetence Vena cava embolism Vena cava filter insertion Vena cava filter removal Vena cava injury Vena cava thrombosis Venipuncture Venogram Venogram abnormal Venogram normal Venolymphatic malformation Venoocclusive disease Venoocclusive liver disease Venous aneurysm Venous angioma of brain Venous angioplasty Venous arterialisation Venous bruit Venous haemorrhage Venous hypertension Venous injury Venous insufficiency Venous lake Venous ligation Venous occlusion Venous operation Venous oxygen partial pressure Venous oxygen partial pressure decreased Venous oxygen partial pressure increased Venous oxygen saturation Venous oxygen saturation abnormal Venous oxygen saturation decreased Venous oxygen saturation increased Venous oxygen saturation normal Venous perforation Venous pressure Venous pressure jugular Venous pressure jugular increased Venous pressure jugular normal Venous recanalisation Venous repair Venous stasis Venous stasis retinopathy Venous stenosis Venous stent insertion Venous thrombosis Venous thrombosis in pregnancy Venous thrombosis limb Venous valve ruptured Ventilation perfusion mismatch Ventilation/perfusion scan Ventilation/perfusion scan abnormal Ventilation/perfusion scan normal Ventouse extraction Ventricle rupture Ventricular arrhythmia Ventricular assist device insertion Ventricular cisternostomy Ventricular drainage Ventricular dysfunction Ventricular dyskinesia Ventricular dyssynchrony Ventricular enlargement Ventricular extrasystoles Ventricular failure Ventricular fibrillation Ventricular flutter Ventricular hypertrophy Ventricular hypokinesia Ventricular hypoplasia Ventricular internal diameter Ventricular internal diameter abnormal Ventricular internal diameter normal Ventricular pre-excitation Ventricular remodelling Ventricular septal defect Ventricular septal defect acquired Ventricular tachyarrhythmia Ventricular tachycardia Ventriculo-cardiac shunt Ventriculo-peritoneal shunt Verbal abuse Vertebral artery aneurysm Vertebral artery arteriosclerosis Vertebral artery dissection Vertebral artery hypoplasia Vertebral artery occlusion Vertebral artery stenosis Vertebral artery thrombosis Vertebral column mass Vertebral end plate inflammation Vertebral foraminal stenosis Vertebral lateral recess stenosis Vertebral lesion Vertebral osteophyte Vertebral wedging Vertebrobasilar artery dissection Vertebrobasilar dolichoectasia Vertebrobasilar insufficiency
+
+
+
+
+Vaccine
+Proportional Reporting Ratio
+
+
+
+
Download
+
+
+
+
+
+
+
+
+Select Vaccine:
+Select Vaccine 6VAX-F ADEN_4_7 ANTH BCG CEE CHOL COVID19 COVID19-2 DF DPP DT DTAP DTAPH DTAPHEPBIP DTAPIPV DTAPIPVHIB DTIPV DTOX DTP DTPHEP DTPHIB DTPIHI DTPIPV DTPPHIB DTPPVHBHPB EBZR FLU(H1N1) FLU3 FLU4 FLUA3 FLUA4 FLUC3 FLUC4 FLUN(H1N1) FLUN3 FLUN4 FLUR3 FLUR4 FLUX FLUX(H1N1) H5N1 HBHEPB HBPV HEP HEPA HEPAB HEPATYP HIBV HPV2 HPV4 HPV9 HPVX IPV JEV JEV1 JEVX LYME MEA MEN MENB MENHIB MER MM MMR MMRV MNC MNQ MNQHIB MU MUR OPV PER PLAGUE PNC PNC10 PNC13 PNC15 PNC20 PPV RAB RSV RUB RV RV1 RV5 RVX SMALL SMALLMNK SSEV TBE TD TDAP TDAPIPV TTOX TYP UNK VARCEL VARZOS YF
+
+
+
+
+Symptom
+Proportional Reporting Ratio > 1
+
+
+
+
Download
+
+
+
+
+
+
+
+
+
+
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
-
\ No newline at end of file
diff --git a/src/HowBadIsMyBatch.ipynb b/src/HowBadIsMyBatch.ipynb
index f605ef6f23a..f36c8575313 100644
--- a/src/HowBadIsMyBatch.ipynb
+++ b/src/HowBadIsMyBatch.ipynb
@@ -438,7 +438,7 @@
"metadata": {},
"outputs": [],
"source": [
- "from SymptomsCausedByVaccines.HtmlUpdater import updateHtmlFile\n",
+ "from SymptomsCausedByVaccines.HtmlUpdater import updateHtmlFile, updateHtmlFile4SymptomsCausedByCOVIDLots\n",
"from SymptomsCausedByVaccines.PrrSeriesFactory import PrrSeriesFactory\n",
"from SymptomsCausedByVaccines.PrrSeriesTransformer import PrrSeriesTransformer\n",
"from SymptomsCausedByVaccines.ProportionalReportingRatiosPersister import saveProportionalReportingRatios\n",
@@ -627,11 +627,10 @@
"metadata": {},
"outputs": [],
"source": [
- "updateHtmlFile(\n",
+ "updateHtmlFile4SymptomsCausedByCOVIDLots(\n",
" symptoms = list(prrByLotAndSymptom.columns),\n",
- " vaccines = list(prrByLotAndSymptom.index),\n",
- " htmlFile = \"../docs/SymptomsCausedByCOVIDLots/index.html\",\n",
- " defaultSelectVaccineOptionText = 'Select Batch')"
+ " batches = list(prrByLotAndSymptom.index),\n",
+ " htmlFile = \"../docs/SymptomsCausedByCOVIDLots/index.html\")"
]
},
{
diff --git a/src/SymptomsCausedByVaccines/HtmlUpdater.py b/src/SymptomsCausedByVaccines/HtmlUpdater.py
index 6ce0da9a17b..1747a207aaf 100644
--- a/src/SymptomsCausedByVaccines/HtmlUpdater.py
+++ b/src/SymptomsCausedByVaccines/HtmlUpdater.py
@@ -16,6 +16,19 @@ def updateHtmlFile(symptoms, vaccines, htmlFile, defaultSelectVaccineOptionText
htmlFile = htmlFile,
selectElementId = 'vaccineSelect')
+def updateHtmlFile4SymptomsCausedByCOVIDLots(symptoms, batches, htmlFile):
+ symptomOptions = getSymptomOptions(symptoms)
+ for selectElementId in ['symptomSelect', 'symptomSelectX', 'symptomSelectY']:
+ _saveOptions(
+ options = symptomOptions,
+ htmlFile = htmlFile,
+ selectElementId = selectElementId)
+
+ _saveOptions(
+ options = getVaccineOptions(batches, 'Select Batch'),
+ htmlFile = htmlFile,
+ selectElementId = 'vaccineSelect')
+
def _saveOptions(options, htmlFile, selectElementId):
HtmlTransformerUtil().applySoupTransformerToFile(
file=htmlFile,
diff --git a/src/help.txt b/src/help.txt
index ea5622c03e5..bbe99ad1f61 100644
--- a/src/help.txt
+++ b/src/help.txt
@@ -7,6 +7,7 @@ FK-TODO:
- Symptomhistogramm
- http://www.howbadismybatch.info/SymptomsCausedByVaccines/index.html
- http://www.howbadismybatch.info/SymptomsCausedByCOVIDLots/index.html
+ http://www.howbadismybatch.info/SymptomsCausedByCOVIDLots/test/index.test.html
anacron job:
sudo cp src/intensivstationen_howbadismybatch.sh /etc/cron.daily/intensivstationen_howbadismybatch