mirror of
https://github.com/DS4SD/docling.git
synced 2025-08-01 15:02:21 +00:00
Create a XML backend for PubMed documents based on the pubmed_parser library
This commit is contained in:
parent
84c46fdeb3
commit
6c818d0926
298
docling/backend/xml_backend.py
Executable file
298
docling/backend/xml_backend.py
Executable file
@ -0,0 +1,298 @@
|
||||
import hashlib
|
||||
import logging
|
||||
from io import BytesIO
|
||||
from pathlib import Path
|
||||
from pprint import pprint
|
||||
from typing import Final, Set, Union
|
||||
|
||||
import pubmed_parser # type: ignore
|
||||
from bs4 import BeautifulSoup
|
||||
from docling_core.types.doc import (
|
||||
DocItemLabel,
|
||||
DoclingDocument,
|
||||
DocumentOrigin,
|
||||
GroupLabel,
|
||||
TableCell,
|
||||
TableData,
|
||||
)
|
||||
|
||||
from docling.backend.abstract_backend import DeclarativeDocumentBackend
|
||||
from docling.datamodel.base_models import InputFormat
|
||||
from docling.datamodel.document import InputDocument
|
||||
|
||||
_log = logging.getLogger(__name__)
|
||||
|
||||
|
||||
class XMLDocumentBackend(DeclarativeDocumentBackend):
|
||||
def __init__(self, in_doc: "InputDocument", path_or_stream: Union[BytesIO, Path]):
|
||||
super().__init__(in_doc, path_or_stream)
|
||||
self.path_or_stream = path_or_stream
|
||||
|
||||
# Initialize parents for the document hierarchy
|
||||
self.parents: dict = {}
|
||||
|
||||
def is_valid(self) -> bool:
|
||||
return True
|
||||
|
||||
@classmethod
|
||||
def supports_pagination(cls) -> bool:
|
||||
return False
|
||||
|
||||
def unload(self):
|
||||
if isinstance(self.path_or_stream, BytesIO):
|
||||
self.path_or_stream.close()
|
||||
self.path_or_stream = None
|
||||
|
||||
@classmethod
|
||||
def supported_formats(cls) -> Set[InputFormat]:
|
||||
return {InputFormat.XML}
|
||||
|
||||
def convert(self) -> DoclingDocument:
|
||||
# Create empty document
|
||||
origin = DocumentOrigin(
|
||||
filename=self.file.name or "file",
|
||||
mimetype="text/xml",
|
||||
binary_hash=self.document_hash,
|
||||
)
|
||||
doc = DoclingDocument(name=self.file.stem or "file", origin=origin)
|
||||
|
||||
_log.debug("Trying to convert XML...")
|
||||
|
||||
# Get parsed XML components
|
||||
xml_components: dict = self.parse(str(self.file))
|
||||
|
||||
# Add XML components to the document
|
||||
doc = self.populate_document(doc, xml_components)
|
||||
return doc
|
||||
|
||||
def parse(self, filename: str) -> dict:
|
||||
"""Parsing PubMed document."""
|
||||
try:
|
||||
info = pubmed_parser.parse_pubmed_xml(filename, include_path=True)
|
||||
except Exception as e:
|
||||
print(f"Skipping title, authors and abstract for: {filename}")
|
||||
info = None
|
||||
references: list = pubmed_parser.parse_pubmed_references(filename)
|
||||
figure_captions: list = pubmed_parser.parse_pubmed_caption(filename)
|
||||
paragraphs: list = pubmed_parser.parse_pubmed_paragraph(filename)
|
||||
tables: list = pubmed_parser.parse_pubmed_table(filename, return_xml=True)
|
||||
|
||||
return {
|
||||
"info": info,
|
||||
"references": references,
|
||||
"figure_captions": figure_captions,
|
||||
"paragraphs": paragraphs,
|
||||
"tables": tables,
|
||||
}
|
||||
|
||||
def populate_document(
|
||||
self, doc: DoclingDocument, xml_components: dict
|
||||
) -> DoclingDocument:
|
||||
if xml_components["info"] != None:
|
||||
self.add_title(doc, xml_components)
|
||||
self.add_authors(doc, xml_components)
|
||||
self.add_abstract(doc, xml_components)
|
||||
|
||||
self.add_main_text(doc, xml_components)
|
||||
|
||||
if xml_components["tables"] != None:
|
||||
self.add_tables(doc, xml_components)
|
||||
|
||||
if xml_components["figure_captions"] != None:
|
||||
self.add_figure_captions(doc, xml_components)
|
||||
|
||||
self.add_references(doc, xml_components)
|
||||
|
||||
return doc
|
||||
|
||||
def add_figure_captions(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
doc.add_heading(parent=None, text="Figures")
|
||||
for figure_caption_xml_component in xml_components["figure_captions"]:
|
||||
figure_caption_text = (
|
||||
figure_caption_xml_component["fig_label"]
|
||||
+ " "
|
||||
+ figure_caption_xml_component["fig_caption"].replace("\n", "")
|
||||
)
|
||||
fig_caption = doc.add_text(
|
||||
label=DocItemLabel.CAPTION, text=figure_caption_text
|
||||
)
|
||||
doc.add_picture(
|
||||
parent=None,
|
||||
caption=fig_caption,
|
||||
)
|
||||
return
|
||||
|
||||
def add_title(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
doc.add_text(
|
||||
parent=None,
|
||||
text=xml_components["info"]["full_title"],
|
||||
label=DocItemLabel.TITLE,
|
||||
)
|
||||
return
|
||||
|
||||
def add_authors(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
affiliations_map: dict = {}
|
||||
for affiliation in xml_components["info"]["affiliation_list"]:
|
||||
affiliations_map[affiliation[0]] = affiliation[1]
|
||||
|
||||
authors: dict = {}
|
||||
for authorlist in xml_components["info"]["author_list"]:
|
||||
authorlist_ = reversed([name for name in authorlist[:-1] if name])
|
||||
author = " ".join(authorlist_)
|
||||
if not author.strip():
|
||||
continue
|
||||
if author not in authors.keys():
|
||||
authors[author] = []
|
||||
aff_index = authorlist[-1]
|
||||
affiliation = affiliations_map[aff_index]
|
||||
authors[author].append({"name": affiliation})
|
||||
|
||||
authors_affiliations: list = []
|
||||
for author, affiliations_ in authors.items():
|
||||
authors_affiliations.append(author)
|
||||
for affiliation in affiliations_:
|
||||
authors_affiliations.append(affiliation["name"])
|
||||
|
||||
doc.add_text(
|
||||
parent=None,
|
||||
text="; ".join(authors_affiliations),
|
||||
label=DocItemLabel.PARAGRAPH,
|
||||
)
|
||||
return
|
||||
|
||||
def add_abstract(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
abstract_text: str = (
|
||||
xml_components["info"]["abstract"].replace("\n", " ").strip()
|
||||
)
|
||||
if abstract_text.strip():
|
||||
doc.add_text(text=abstract_text, label=DocItemLabel.TEXT)
|
||||
return
|
||||
|
||||
def add_main_text(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
sections: list = []
|
||||
parent = None
|
||||
for paragraph in xml_components["paragraphs"]:
|
||||
if ("section" in paragraph) and (paragraph["section"] == ""):
|
||||
continue
|
||||
|
||||
if "section" in paragraph and paragraph["section"] not in sections:
|
||||
section: str = paragraph["section"].replace("\n", " ").strip()
|
||||
sections.append(section)
|
||||
if section in self.parents:
|
||||
parent = self.parents[section]
|
||||
else:
|
||||
parent = None
|
||||
|
||||
self.parents[section] = doc.add_heading(parent=parent, text=section)
|
||||
|
||||
if "text" in paragraph:
|
||||
text: str = paragraph["text"].replace("\n", " ").strip()
|
||||
|
||||
if paragraph["section"] in self.parents:
|
||||
parent = self.parents[paragraph["section"]]
|
||||
else:
|
||||
parent = None
|
||||
|
||||
doc.add_text(parent=parent, label=DocItemLabel.TEXT, text=text)
|
||||
return
|
||||
|
||||
def add_references(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
doc.add_heading(parent=None, text="References")
|
||||
current_list = doc.add_group(label=GroupLabel.LIST, name="list")
|
||||
for reference in xml_components["references"]:
|
||||
reference_text: str = (
|
||||
reference["name"]
|
||||
+ ". "
|
||||
+ reference["article_title"]
|
||||
+ ". "
|
||||
+ reference["journal"]
|
||||
+ " ("
|
||||
+ reference["year"]
|
||||
+ ")"
|
||||
)
|
||||
doc.add_list_item(
|
||||
text=reference_text, enumerated=False, parent=current_list
|
||||
)
|
||||
return
|
||||
|
||||
def add_tables(self, doc: DoclingDocument, xml_components: dict) -> None:
|
||||
doc.add_heading(parent=None, text="Tables")
|
||||
for table_xml_component in xml_components["tables"]:
|
||||
try:
|
||||
self.add_table(doc, table_xml_component)
|
||||
except Exception as e:
|
||||
print(f"Skipping unsupported table for: {str(self.file)}")
|
||||
pass
|
||||
return
|
||||
|
||||
def add_table(self, doc: DoclingDocument, table_xml_component: dict) -> None:
|
||||
table_xml = table_xml_component["table_xml"].decode("utf-8")
|
||||
soup = BeautifulSoup(table_xml, "html.parser")
|
||||
table_tag = soup.find("table")
|
||||
|
||||
nested_tables = table_tag.find("table")
|
||||
if nested_tables is not None:
|
||||
print(f"Skipping nested table for: {str(self.file)}")
|
||||
return
|
||||
|
||||
# Count the number of rows (number of <tr> elements)
|
||||
num_rows = len(table_tag.find_all("tr"))
|
||||
|
||||
# Find the number of columns (taking into account colspan)
|
||||
num_cols = 0
|
||||
for row in table_tag.find_all("tr"):
|
||||
col_count = 0
|
||||
for cell in row.find_all(["td", "th"]):
|
||||
colspan = int(cell.get("colspan", 1))
|
||||
col_count += colspan
|
||||
num_cols = max(num_cols, col_count)
|
||||
|
||||
grid = [[None for _ in range(num_cols)] for _ in range(num_rows)]
|
||||
|
||||
data = TableData(num_rows=num_rows, num_cols=num_cols, table_cells=[])
|
||||
|
||||
# Iterate over the rows in the table
|
||||
for row_idx, row in enumerate(table_tag.find_all("tr")):
|
||||
|
||||
# For each row, find all the column cells (both <td> and <th>)
|
||||
cells = row.find_all(["td", "th"])
|
||||
|
||||
# Check if each cell in the row is a header -> means it is a column header
|
||||
col_header = True
|
||||
for j, html_cell in enumerate(cells):
|
||||
if html_cell.name == "td":
|
||||
col_header = False
|
||||
|
||||
col_idx = 0
|
||||
# Extract and print the text content of each cell
|
||||
for _, html_cell in enumerate(cells):
|
||||
text = html_cell.text
|
||||
|
||||
col_span = int(html_cell.get("colspan", 1))
|
||||
row_span = int(html_cell.get("rowspan", 1))
|
||||
|
||||
while grid[row_idx][col_idx] is not None:
|
||||
col_idx += 1
|
||||
for r in range(row_span):
|
||||
for c in range(col_span):
|
||||
grid[row_idx + r][col_idx + c] = text
|
||||
|
||||
cell = TableCell(
|
||||
text=text,
|
||||
row_span=row_span,
|
||||
col_span=col_span,
|
||||
start_row_offset_idx=row_idx,
|
||||
end_row_offset_idx=row_idx + row_span,
|
||||
start_col_offset_idx=col_idx,
|
||||
end_col_offset_idx=col_idx + col_span,
|
||||
col_header=col_header,
|
||||
row_header=((not col_header) and html_cell.name == "th"),
|
||||
)
|
||||
data.table_cells.append(cell)
|
||||
|
||||
table_caption = doc.add_text(
|
||||
label=DocItemLabel.CAPTION,
|
||||
text=table_xml_component["label"] + " " + table_xml_component["caption"],
|
||||
)
|
||||
doc.add_table(data=data, parent=None, caption=table_caption)
|
||||
return
|
@ -28,6 +28,7 @@ class InputFormat(str, Enum):
|
||||
DOCX = "docx"
|
||||
PPTX = "pptx"
|
||||
HTML = "html"
|
||||
XML = "xml"
|
||||
IMAGE = "image"
|
||||
PDF = "pdf"
|
||||
ASCIIDOC = "asciidoc"
|
||||
@ -48,6 +49,7 @@ FormatToExtensions: Dict[InputFormat, List[str]] = {
|
||||
InputFormat.PDF: ["pdf"],
|
||||
InputFormat.MD: ["md"],
|
||||
InputFormat.HTML: ["html", "htm", "xhtml"],
|
||||
InputFormat.XML: ["xml", "nxml"],
|
||||
InputFormat.IMAGE: ["jpg", "jpeg", "png", "tif", "tiff", "bmp"],
|
||||
InputFormat.ASCIIDOC: ["adoc", "asciidoc", "asc"],
|
||||
InputFormat.XLSX: ["xlsx"],
|
||||
@ -64,6 +66,7 @@ FormatToMimeType: Dict[InputFormat, List[str]] = {
|
||||
"application/vnd.openxmlformats-officedocument.presentationml.presentation",
|
||||
],
|
||||
InputFormat.HTML: ["text/html", "application/xhtml+xml"],
|
||||
InputFormat.XML: ["text/xml", "text/nxml"],
|
||||
InputFormat.IMAGE: [
|
||||
"image/png",
|
||||
"image/jpeg",
|
||||
|
@ -525,6 +525,8 @@ class _DocumentConversionInput(BaseModel):
|
||||
mime = FormatToMimeType[InputFormat.ASCIIDOC][0]
|
||||
elif ext in FormatToExtensions[InputFormat.HTML]:
|
||||
mime = FormatToMimeType[InputFormat.HTML][0]
|
||||
elif ext in FormatToExtensions[InputFormat.XML]:
|
||||
mime = FormatToMimeType[InputFormat.XML][0]
|
||||
elif ext in FormatToExtensions[InputFormat.MD]:
|
||||
mime = FormatToMimeType[InputFormat.MD][0]
|
||||
|
||||
|
@ -15,6 +15,7 @@ from docling.backend.md_backend import MarkdownDocumentBackend
|
||||
from docling.backend.msexcel_backend import MsExcelDocumentBackend
|
||||
from docling.backend.mspowerpoint_backend import MsPowerpointDocumentBackend
|
||||
from docling.backend.msword_backend import MsWordDocumentBackend
|
||||
from docling.backend.xml_backend import XMLDocumentBackend
|
||||
from docling.datamodel.base_models import ConversionStatus, DocumentStream, InputFormat
|
||||
from docling.datamodel.document import (
|
||||
ConversionResult,
|
||||
@ -75,6 +76,11 @@ class HTMLFormatOption(FormatOption):
|
||||
backend: Type[AbstractDocumentBackend] = HTMLDocumentBackend
|
||||
|
||||
|
||||
class XMLFormatOption(FormatOption):
|
||||
pipeline_cls: Type = SimplePipeline
|
||||
backend: Type[AbstractDocumentBackend] = XMLDocumentBackend
|
||||
|
||||
|
||||
class PdfFormatOption(FormatOption):
|
||||
pipeline_cls: Type = StandardPdfPipeline
|
||||
backend: Type[AbstractDocumentBackend] = DoclingParseDocumentBackend
|
||||
@ -104,6 +110,9 @@ _format_to_default_options = {
|
||||
InputFormat.HTML: FormatOption(
|
||||
pipeline_cls=SimplePipeline, backend=HTMLDocumentBackend
|
||||
),
|
||||
InputFormat.XML: FormatOption(
|
||||
pipeline_cls=SimplePipeline, backend=XMLDocumentBackend
|
||||
),
|
||||
InputFormat.IMAGE: FormatOption(
|
||||
pipeline_cls=StandardPdfPipeline, backend=DoclingParseDocumentBackend
|
||||
),
|
||||
@ -160,7 +169,6 @@ class DocumentConverter:
|
||||
max_num_pages: int = sys.maxsize,
|
||||
max_file_size: int = sys.maxsize,
|
||||
) -> ConversionResult:
|
||||
|
||||
all_res = self.convert_all(
|
||||
source=[source],
|
||||
raises_on_error=raises_on_error,
|
||||
|
45
poetry.lock
generated
45
poetry.lock
generated
@ -3510,7 +3510,6 @@ description = "Nvidia JIT LTO Library"
|
||||
optional = false
|
||||
python-versions = ">=3"
|
||||
files = [
|
||||
{file = "nvidia_nvjitlink_cu12-12.4.127-py3-none-manylinux2014_aarch64.whl", hash = "sha256:4abe7fef64914ccfa909bc2ba39739670ecc9e820c83ccc7a6ed414122599b83"},
|
||||
{file = "nvidia_nvjitlink_cu12-12.4.127-py3-none-manylinux2014_x86_64.whl", hash = "sha256:06b3b9b25bf3f8af351d664978ca26a16d2c5127dbd53c0497e28d1fb9611d57"},
|
||||
{file = "nvidia_nvjitlink_cu12-12.4.127-py3-none-win_amd64.whl", hash = "sha256:fd9020c501d27d135f983c6d3e244b197a7ccad769e34df53a42e276b0e25fa1"},
|
||||
]
|
||||
@ -3667,9 +3666,9 @@ numpy = [
|
||||
{version = ">=1.21.0", markers = "python_version == \"3.9\" and platform_system == \"Darwin\" and platform_machine == \"arm64\""},
|
||||
{version = ">=1.19.3", markers = "platform_system == \"Linux\" and platform_machine == \"aarch64\" and python_version >= \"3.8\" and python_version < \"3.10\" or python_version > \"3.9\" and python_version < \"3.10\" or python_version >= \"3.9\" and platform_system != \"Darwin\" and python_version < \"3.10\" or python_version >= \"3.9\" and platform_machine != \"arm64\" and python_version < \"3.10\""},
|
||||
{version = ">=1.26.0", markers = "python_version >= \"3.12\""},
|
||||
{version = ">=1.23.5", markers = "python_version >= \"3.11\" and python_version < \"3.12\""},
|
||||
{version = ">=1.21.4", markers = "python_version >= \"3.10\" and platform_system == \"Darwin\" and python_version < \"3.11\""},
|
||||
{version = ">=1.21.2", markers = "platform_system != \"Darwin\" and python_version >= \"3.10\" and python_version < \"3.11\""},
|
||||
{version = ">=1.23.5", markers = "python_version >= \"3.11\" and python_version < \"3.12\""},
|
||||
]
|
||||
|
||||
[[package]]
|
||||
@ -3693,9 +3692,9 @@ numpy = [
|
||||
{version = ">=1.21.0", markers = "python_version == \"3.9\" and platform_system == \"Darwin\" and platform_machine == \"arm64\""},
|
||||
{version = ">=1.19.3", markers = "platform_system == \"Linux\" and platform_machine == \"aarch64\" and python_version >= \"3.8\" and python_version < \"3.10\" or python_version > \"3.9\" and python_version < \"3.10\" or python_version >= \"3.9\" and platform_system != \"Darwin\" and python_version < \"3.10\" or python_version >= \"3.9\" and platform_machine != \"arm64\" and python_version < \"3.10\""},
|
||||
{version = ">=1.26.0", markers = "python_version >= \"3.12\""},
|
||||
{version = ">=1.23.5", markers = "python_version >= \"3.11\" and python_version < \"3.12\""},
|
||||
{version = ">=1.21.4", markers = "python_version >= \"3.10\" and platform_system == \"Darwin\" and python_version < \"3.11\""},
|
||||
{version = ">=1.21.2", markers = "platform_system != \"Darwin\" and python_version >= \"3.10\" and python_version < \"3.11\""},
|
||||
{version = ">=1.23.5", markers = "python_version >= \"3.11\" and python_version < \"3.12\""},
|
||||
]
|
||||
|
||||
[[package]]
|
||||
@ -4316,6 +4315,28 @@ files = [
|
||||
{file = "ptyprocess-0.7.0.tar.gz", hash = "sha256:5c5d0a3b48ceee0b48485e0c26037c0acd7d29765ca3fbb5cb3831d347423220"},
|
||||
]
|
||||
|
||||
[[package]]
|
||||
name = "pubmed-parser"
|
||||
version = "0.5.1"
|
||||
description = "A python parser for Pubmed Open-Access Subset and MEDLINE XML repository"
|
||||
optional = false
|
||||
python-versions = "*"
|
||||
files = [
|
||||
{file = "pubmed_parser-0.5.1-py3-none-any.whl", hash = "sha256:b2273d9c2f2291941354ee1d74c45f0079141779eac3b09c36efb85b4453e75d"},
|
||||
{file = "pubmed_parser-0.5.1.tar.gz", hash = "sha256:62db11ea0397db2c0aa7981972db03dc83ad79a76d3ee72704876240f69b67b5"},
|
||||
]
|
||||
|
||||
[package.dependencies]
|
||||
lxml = "*"
|
||||
numpy = "*"
|
||||
requests = "*"
|
||||
six = "*"
|
||||
unidecode = "*"
|
||||
|
||||
[package.extras]
|
||||
docs = ["sphinx", "sphinx-gallery", "sphinx-rtd-theme"]
|
||||
tests = ["pytest", "pytest-cov"]
|
||||
|
||||
[[package]]
|
||||
name = "pure-eval"
|
||||
version = "0.2.3"
|
||||
@ -5924,6 +5945,11 @@ files = [
|
||||
{file = "scikit_learn-1.5.2-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:f60021ec1574e56632be2a36b946f8143bf4e5e6af4a06d85281adc22938e0dd"},
|
||||
{file = "scikit_learn-1.5.2-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:394397841449853c2290a32050382edaec3da89e35b3e03d6cc966aebc6a8ae6"},
|
||||
{file = "scikit_learn-1.5.2-cp312-cp312-win_amd64.whl", hash = "sha256:57cc1786cfd6bd118220a92ede80270132aa353647684efa385a74244a41e3b1"},
|
||||
{file = "scikit_learn-1.5.2-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:e9a702e2de732bbb20d3bad29ebd77fc05a6b427dc49964300340e4c9328b3f5"},
|
||||
{file = "scikit_learn-1.5.2-cp313-cp313-macosx_12_0_arm64.whl", hash = "sha256:b0768ad641981f5d3a198430a1d31c3e044ed2e8a6f22166b4d546a5116d7908"},
|
||||
{file = "scikit_learn-1.5.2-cp313-cp313-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:178ddd0a5cb0044464fc1bfc4cca5b1833bfc7bb022d70b05db8530da4bb3dd3"},
|
||||
{file = "scikit_learn-1.5.2-cp313-cp313-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f7284ade780084d94505632241bf78c44ab3b6f1e8ccab3d2af58e0e950f9c12"},
|
||||
{file = "scikit_learn-1.5.2-cp313-cp313-win_amd64.whl", hash = "sha256:b7b0f9a0b1040830d38c39b91b3a44e1b643f4b36e36567b80b7c6bd2202a27f"},
|
||||
{file = "scikit_learn-1.5.2-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:757c7d514ddb00ae249832fe87100d9c73c6ea91423802872d9e74970a0e40b9"},
|
||||
{file = "scikit_learn-1.5.2-cp39-cp39-macosx_12_0_arm64.whl", hash = "sha256:52788f48b5d8bca5c0736c175fa6bdaab2ef00a8f536cda698db61bd89c551c1"},
|
||||
{file = "scikit_learn-1.5.2-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:643964678f4b5fbdc95cbf8aec638acc7aa70f5f79ee2cdad1eec3df4ba6ead8"},
|
||||
@ -6949,6 +6975,17 @@ files = [
|
||||
{file = "ujson-5.10.0.tar.gz", hash = "sha256:b3cd8f3c5d8c7738257f1018880444f7b7d9b66232c64649f562d7ba86ad4bc1"},
|
||||
]
|
||||
|
||||
[[package]]
|
||||
name = "unidecode"
|
||||
version = "1.3.8"
|
||||
description = "ASCII transliterations of Unicode text"
|
||||
optional = false
|
||||
python-versions = ">=3.5"
|
||||
files = [
|
||||
{file = "Unidecode-1.3.8-py3-none-any.whl", hash = "sha256:d130a61ce6696f8148a3bd8fe779c99adeb4b870584eeb9526584e9aa091fd39"},
|
||||
{file = "Unidecode-1.3.8.tar.gz", hash = "sha256:cfdb349d46ed3873ece4586b96aa75258726e2fa8ec21d6f00a591d98806c2f4"},
|
||||
]
|
||||
|
||||
[[package]]
|
||||
name = "urllib3"
|
||||
version = "2.2.3"
|
||||
@ -7415,4 +7452,4 @@ tesserocr = ["tesserocr"]
|
||||
[metadata]
|
||||
lock-version = "2.0"
|
||||
python-versions = "^3.9"
|
||||
content-hash = "c08324f73fb809466ad3494605a6745ec6c9f38b60e7b1f516f3f93a29534ca4"
|
||||
content-hash = "285c497f2010752795a6664177071f9f4fc3a4cee6b49d076b3309dd6cd322c8"
|
||||
|
@ -57,6 +57,7 @@ onnxruntime = [
|
||||
{ version = ">=1.7.0,<1.20.0", optional = true, markers = "python_version < '3.10'" },
|
||||
{ version = "^1.7.0", optional = true, markers = "python_version >= '3.10'" }
|
||||
]
|
||||
pubmed-parser = "^0.5.1"
|
||||
|
||||
[tool.poetry.group.dev.dependencies]
|
||||
black = {extras = ["jupyter"], version = "^24.4.2"}
|
||||
|
@ -0,0 +1,85 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: The Association between Obstruct ... o-Sample Mendelian Randomization Study
|
||||
item-2 at level 1: paragraph: Zhihai Huang; Emergency Medicine ... niversity, Zhanjiang, Guangdong, China
|
||||
item-3 at level 1: text: Background Despite previous obse ... tween OSA and VTE in either direction.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Obstructive sleep apnea (OSA) is ... ed with the prevalence of obesity. 3 4
|
||||
item-6 at level 2: text: There is mounting evidence indic ... potential bidirectional relationship.
|
||||
item-7 at level 2: text: Although previous observational ... in classical epidemiologic studies. 17
|
||||
item-8 at level 1: section_header: Data Source and Selection of Instrumental Variables
|
||||
item-9 at level 2: text: Summary-level data for OSA were ... data sources is provided in Table 1 .
|
||||
item-10 at level 2: text: The selection criteria for IVs w ... t of IV selection is shown in Fig. 1 .
|
||||
item-11 at level 1: section_header: Statistical Analysis
|
||||
item-12 at level 2: text: This study employed the multipli ... indicating significant heterogeneity.
|
||||
item-13 at level 1: section_header: Instrumental Variable Selection
|
||||
item-14 at level 2: text: As previously outlined, a total ... lysis are provided in Tables 2 and 3 .
|
||||
item-15 at level 1: section_header: Effects of OSA on VTE
|
||||
item-16 at level 2: text: Fig. 2 shows the estimates of th ... to detect any evidence of pleiotropy.
|
||||
item-17 at level 2: text: The validation analysis using ge ... netic association between OSA and VTE.
|
||||
item-18 at level 1: section_header: Effects of VTE on OSA
|
||||
item-19 at level 2: text: We conducted reverse MR analysis ... med the reliability of the MR results.
|
||||
item-20 at level 1: section_header: Discussion
|
||||
item-21 at level 2: text: Our findings contradict some pre ... an increased risk of VTE. 29 30 31 32
|
||||
item-22 at level 2: text: However, these studies were hind ... adjusting for obesity confounding. 36
|
||||
item-23 at level 2: text: While our MR study did not find ... A and VTE, delving into greater depth.
|
||||
item-24 at level 1: section_header: Tables
|
||||
item-26 at level 1: table with [6x7]
|
||||
item-26 at level 2: caption: Table 1 Information on data sources
|
||||
item-28 at level 1: table with [47x17]
|
||||
item-28 at level 2: caption: Table 2 Genetic variants used in the MR analysis
|
||||
item-30 at level 1: table with [112x11]
|
||||
item-30 at level 2: caption: Table 3 Genetic variants used in the reverse MR analysis
|
||||
item-31 at level 1: section_header: Figures
|
||||
item-33 at level 1: picture
|
||||
item-33 at level 2: caption: Fig. 1 The flowchart of instrumental variables selection. LD, linkage disequilibrium; SNPs, single-nucleotide polymorphisms; BMI, body mass index; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; OSA, obstructive sleep apnea; ①, represents OSA (Jiang et al) as the outcome; ②, represents OSA (Campos et al) as the outcome.
|
||||
item-35 at level 1: picture
|
||||
item-35 at level 2: caption: Fig. 2 The genetic association of OSA with VTE/PE/DVT. OSA, obstructive sleep apnea; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; MR, mendelian randomization; IVW, inverse variance weighted; PRESSO, pleiotropy residual sum and outlier; P*, represents P for heterogeneity test; P**, represents P for MR-Egger intercept; P***, represents P for MR-PRESSO global test.
|
||||
item-37 at level 1: picture
|
||||
item-37 at level 2: caption: Fig. 3 The genetic association of VTE/PE/DVT with OSA. OSA, obstructive sleep apnea; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; MR, mendelian randomization; IVW, inverse variance weighted; PRESSO, pleiotropy residual sum and outlier; P*, represents P for heterogeneity test; P**, represents P for MR-Egger intercept; P***, represents P for MR-PRESSO global test.
|
||||
item-38 at level 1: section_header: References
|
||||
item-39 at level 1: list: group list
|
||||
item-40 at level 2: list_item: S H Wang; W S Chen; S E Tang. Be ... ve sleep apnea. Front Pharmacol (2019)
|
||||
item-41 at level 2: list_item: C R Innes; P T Kelly; M Hlavac; ... pnoea during wakefulness. Sleep (2015)
|
||||
item-42 at level 2: list_item: C V Senaratna; J L Perret; C J L ... ystematic review. Sleep Med Rev (2017)
|
||||
item-43 at level 2: list_item: J Bai; H Wen; J Tai. Altered spo ... apnea syndrome. Front Neurosci (2021)
|
||||
item-44 at level 2: list_item: J M Marin; A Agusti; I Villar. A ... and risk of hypertension. JAMA (2012)
|
||||
item-45 at level 2: list_item: S Redline; G Yenokyan; D J Gottl ... tudy. Am J Respir Crit Care Med (2010)
|
||||
item-46 at level 2: list_item: O Mesarwi; A Malhotra. Obstructi ... relationship. J Clin Sleep Med (2020)
|
||||
item-47 at level 2: list_item: F Piccirillo; S P Crispino; L Bu ... and heart failure. Am J Cardiol (2023)
|
||||
item-48 at level 2: list_item: K Glise Sandblad; A Rosengren; J ... eople. Res Pract Thromb Haemost (2022)
|
||||
item-49 at level 2: list_item: R Raj; A Paturi; M A Ahmed; S E ... sm: a systematic review. Cureus (2022)
|
||||
item-50 at level 2: list_item: C C Lin; J J Keller; J H Kang; T ... Vasc Surg Venous Lymphat Disord (2013)
|
||||
item-51 at level 2: list_item: Y H Peng; W C Liao; W S Chung. A ... ective cohort study. Thromb Res (2014)
|
||||
item-52 at level 2: list_item: O Nepveu; C Orione; C Tromeur. A ... from a French cohort. Thromb J (2022)
|
||||
item-53 at level 2: list_item: O Dabbagh; M Sabharwal; O Hassan ... among females not males. Chest (2010)
|
||||
item-54 at level 2: list_item: J P Bosanquet; B C Bade; M F Zia ... lation. Clin Appl Thromb Hemost (2011)
|
||||
item-55 at level 2: list_item: A Xue; L Jiang; Z Zhu. Genome-wi ... ongitudinal changes. Nat Commun (2021)
|
||||
item-56 at level 2: list_item: B Pu; P Gu; C Zheng; L Ma; X Zhe ... domization analysis. Front Nutr (2022)
|
||||
item-57 at level 2: list_item: L Jiang; Z Zheng; H Fang; J Yang ... r biobank-scale data. Nat Genet (2021)
|
||||
item-58 at level 2: list_item: A I Campos; N Ingold; Y Huang. D ... AS analysis with snoring. Sleep (2023)
|
||||
item-59 at level 2: list_item: R Feng; M Lu; J Xu. Pulmonary em ... omization study. BMC Genom Data (2022)
|
||||
item-60 at level 2: list_item: R Molenberg; C HL Thio; M W Aalb ... ian randomization study. Stroke (2022)
|
||||
item-61 at level 2: list_item: S H Wang; B T Keenan; A Wiemken. ... fat. Am J Respir Crit Care Med (2020)
|
||||
item-62 at level 2: list_item: C Hotoleanu. Association between ... thromboembolism. Med Pharm Rep (2020)
|
||||
item-63 at level 2: list_item: H Zhao; X Jin. Causal associatio ... randomization study. Front Nutr (2022)
|
||||
item-64 at level 2: list_item: B Tang; Y Wang; X Jiang. Genetic ... randomization study. Neurology (2022)
|
||||
item-65 at level 2: list_item: S S Dong; K Zhang; Y Guo. Phenom ... randomization study. Genome Med (2021)
|
||||
item-66 at level 2: list_item: W Huang; J Xiao; J Ji; L Chen. A ... lian randomization study. eLife (2021)
|
||||
item-67 at level 2: list_item: X Chen; J Kong; J Pan. Kidney da ... ndomization study. EBioMedicine (2021)
|
||||
item-68 at level 2: list_item: I Arnulf; M Merino-Andreu; A Per ... nd venous thromboembolism. JAMA (2002)
|
||||
item-69 at level 2: list_item: K T Chou; C C Huang; Y M Chen. S ... -matched cohort study. Am J Med (2012)
|
||||
item-70 at level 2: list_item: A Alonso-Fernández; M de la Peña ... monary embolism. Mayo Clin Proc (2013)
|
||||
item-71 at level 2: list_item: M Ambrosetti; A Lucioni; W Ageno ... nea syndrome?. J Thromb Haemost (2004)
|
||||
item-72 at level 2: list_item: S Reutrakul; B Mokhlesi. Obstruc ... state of the art review. Chest (2017)
|
||||
item-73 at level 2: list_item: S Lindström; M Germain; M Crous- ... Randomization study. Hum Genet (2017)
|
||||
item-74 at level 2: list_item: M V Genuardi; A Rathore; R P Ogi ... with OSA: a cohort study. Chest (2022)
|
||||
item-75 at level 2: list_item: R Aman; V G Michael; P O Rachel. ... lism. American Thoracic Society (2019)
|
||||
item-76 at level 2: list_item: C T Esmon. Basic mechanisms and ... of venous thrombosis. Blood Rev (2009)
|
||||
item-77 at level 2: list_item: A García-Ortega; E Mañas; R Lópe ... ical implications. Eur Respir J (2019)
|
||||
item-78 at level 2: list_item: H Xiong; M Lao; L Wang. The inci ... ctive cohort study. Front Oncol (2022)
|
||||
item-79 at level 2: list_item: A Holt; J Bjerre; B Zareini. Sle ... CPAP) therapy. J Am Heart Assoc (2018)
|
||||
item-80 at level 2: list_item: A Alonso-Fernández; N Toledo-Pon ... ing relationship. Sleep Med Rev (2020)
|
||||
item-81 at level 2: list_item: S N Hong; H C Yun; J H Yoo; S H ... JAMA Otolaryngol Head Neck Surg (2017)
|
||||
item-82 at level 2: list_item: G V Robinson; J C Pepperell; H C ... mised controlled trials. Thorax (2004)
|
||||
item-83 at level 2: list_item: R von Känel; J S Loredo; F L Pow ... apnea. Clin Hemorheol Microcirc (2005)
|
||||
item-84 at level 2: list_item: C Zolotoff; L Bertoletti; D Goza ... blood-brain barrier. J Clin Med (2021)
|
50254
tests/data/groundtruth/docling_v2/10-1055-a-2308-2290.nxml.json
Normal file
50254
tests/data/groundtruth/docling_v2/10-1055-a-2308-2290.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
286
tests/data/groundtruth/docling_v2/10-1055-a-2308-2290.nxml.md
Normal file
286
tests/data/groundtruth/docling_v2/10-1055-a-2308-2290.nxml.md
Normal file
@ -0,0 +1,286 @@
|
||||
# The Association between Obstructive Sleep Apnea and Venous Thromboembolism: A Bidirectional Two-Sample Mendelian Randomization Study
|
||||
|
||||
Zhihai Huang; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Zhenzhen Zheng; Respiratory and Critical Care Medicine, The Second Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Lingpin Pang; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Kaili Fu; Respiratory and Critical Care Medicine, The Second Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Junfen Cheng; Respiratory and Critical Care Medicine, The Second Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Ming Zhong; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Lingyue Song; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Dingyu Guo; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Qiaoyun Chen; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Yanxi Li; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Yongting Lv; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Riken Chen; Respiratory and Critical Care Medicine, The Second Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China; Xishi Sun; Emergency Medicine Center, Affiliated Hospital of Guangdong Medical University, Zhanjiang, Guangdong, China
|
||||
|
||||
Background Despite previous observational studies linking obstructive sleep apnea (OSA) to venous thromboembolism (VTE), these findings remain controversial. This study aimed to explore the association between OSA and VTE, including pulmonary embolism (PE) and deep vein thrombosis (DVT), at a genetic level using a bidirectional two-sample Mendelian randomization (MR) analysis. Methods Utilizing summary-level data from large-scale genome-wide association studies in European individuals, we designed a bidirectional two-sample MR analysis to comprehensively assess the genetic association between OSA and VTE. The inverse variance weighted was used as the primary method for MR analysis. In addition, MR–Egger, weighted median, and MR pleiotropy residual sum and outlier (MR-PRESSO) were used for complementary analyses. Furthermore, a series of sensitivity analyses were performed to ensure the validity and robustness of the results. Results The initial and validation MR analyses indicated that genetically predicted OSA had no effects on the risk of VTE (including PE and DVT). Likewise, the reverse MR analysis did not find substantial support for a significant association between VTE (including PE and DVT) and OSA. Supplementary MR methods and sensitivity analyses provided additional confirmation of the reliability of the MR results. Conclusion Our bidirectional two-sample MR analysis did not find genetic evidence supporting a significant association between OSA and VTE in either direction.
|
||||
|
||||
## Introduction
|
||||
|
||||
Obstructive sleep apnea (OSA) is a prevalent sleep disorder characterized by the recurrent partial or complete obstruction and collapse of the upper airway during sleep, leading to episodes of apneas and hypoventilation. 1 2 Research studies have reported that the prevalence of OSA in the adult population ranges from 9 to 38%, with a higher prevalence observed in males (13–33%) compared to females (6–19%). Moreover, the prevalence of OSA tends to increase with age and is closely associated with the prevalence of obesity. 3 4
|
||||
|
||||
There is mounting evidence indicating that OSA serves as an independent risk factor for several cardiovascular diseases, including hypertension, 5 stroke, 6 pulmonary hypertension, 7 and heart failure. 8 Venous thromboembolism (VTE), including deep vein thrombosis (DVT) and pulmonary embolism (PE), is recognized as the third most common cardiovascular disease worldwide. 9 There is evidence suggesting that OSA may also be linked to an increased risk of VTE. 10 For instance, a prospective study involving 15,664 subjects (1,424 subjects with OSA) observed a twofold higher incidence of VTE in patients with OSA compared to non-OSA patients. 11 Similarly, findings from a national retrospective cohort study conducted by Peng and his colleagues indicated that patients with OSA had a 3.50-fold higher risk of DVT and a 3.97-fold higher risk of PE compared to the general population. 12 However, the results of observational studies remain somewhat controversial. A 5-year prospective study involving 2,109 subjects concluded that OSA did not increase the risk of VTE recurrence. 13 Another retrospective analysis involving 1,584 patients, of which 848 were women, revealed an intriguing discovery suggesting that OSA may serve as an independent risk factor for VTE solely in women, rather than in men. 14 Moreover, patients with VTE were found to have a higher prevalence of OSA, 15 suggesting a potential bidirectional relationship.
|
||||
|
||||
Although previous observational studies have investigated the potential association between OSA and VTE, elucidating aspects of the association from these studies is challenging due to the limitations of potential confounders and reverse causality bias. Mendelian randomization (MR) is a genetic epidemiological methodology that utilizes genetic variants, such as single-nucleotide polymorphisms (SNPs), as instrumental variables (IVs) to infer the genetic association between exposure and outcome. 16 The advantage of MR analysis lies in the random assignment of genetic variants during meiosis, which effectively circumvents the effects of potential confounders and reverse causality encountered in classical epidemiologic studies. 17
|
||||
|
||||
## Data Source and Selection of Instrumental Variables
|
||||
|
||||
Summary-level data for OSA were obtained from the GWAS study conducted by Jiang et al on European individuals, which included 2,827 cases and 453,521 controls, covering 11,831,932 SNPs. 18 To ensure the robustness of the findings, additional datasets for OSA were acquired from a GWAS meta-analysis conducted by Campos and colleagues, comprising 25,008 cases of European ancestry and 337,630 controls, involving 9,031,949 SNPs for validation analysis. 19 The study conducted a meta-analysis of GWAS datasets from five cohorts in the United Kingdom, Canada, Australia, the United States, and Finland. These summary-level GWAS statistics for OSA can be accessed from the GWAS Catalog ( https://www.ebi.ac.uk/gwas/downloads ). VTE was defined as a condition comprising PE (blockage of the pulmonary artery or its branches by an embolus) and DVT (formation of a blood clot in a deep vein). The GWAS datasets for VTE (19,372 cases and 357,905 controls), PE (9,243 cases and 367,108 controls), and DVT (9,109 cases and 324,121 controls) were derived from the FinnGen consortium (Release 9, https://r9.finngen.fi/ ). Detailed information regarding the data sources is provided in Table 1 .
|
||||
|
||||
The selection criteria for IVs were as follows: (1) the threshold for genome-wide significant SNPs for VTE (including PE and DVT) was set at p < 5.0 × 10 −8 , while the threshold for OSA was adjusted to p < 1 × 10 −5 due to the inability to detect OSA-associated SNPs using a significance level of p < 5.0 × 10 −8 . (2) SNPs with linkage disequilibrium effects ( r 2 < 0.001 within a 10,000-kb window) were excluded to ensure the independence of the selected IVs. (3) The strength of the association between IVs and exposure was measured using the F-statistic [F-statistic = (Beta/SE) 2 ]. 20 SNPs with F-statistics >10 were retained to avoid the effects of weak instrumental bias. (4) During the harmonization process, SNPs that did not match the results were removed, along with palindromic SNPs with ambiguous allele frequencies (0.42–0.58). 21 (5) Previous studies have demonstrated obesity as an established risk factor for OSA and VTE. 22 23 SNPs associated with body mass index were queried and excluded by Phenoscanner (http://www.phenoscanner.medschl.cam.ac.uk/). The flowchart of IV selection is shown in Fig. 1 .
|
||||
|
||||
## Statistical Analysis
|
||||
|
||||
This study employed the multiplicative random-effects inverse variance weighted (IVW) method as the primary approach for conducting MR analysis to evaluate the genetic association between OSA and VTE. The IVW method meta-analyzes the Wald ratio estimates for each SNP on the outcome, providing precise estimates of causal effects when all selected SNPs are valid IVs. 24 However, the estimates of causal effects from the IVW method may be biased by the influence of pleiotropic IVs. To ensure the validity and robustness of the results, sensitivity analyses were implemented using three additional MR methods, namely MR–Egger, weighted median, and MR pleiotropy residual sum and outlier (MR-PRESSO). The MR–Egger method is able to generate reliable causal estimates even in situations where all IVs are invalid. Additionally, MR–Egger offers an intercept test to detect horizontal pleiotropy, with a significance threshold of p <0.05 indicating the presence of horizontal pleiotropy. 25 In comparison to the IVW and MR–Egger methods, the weighted median method demonstrates greater robustness and provides consistent estimates of causal effects, even when up to 50% of the IVs are invalid instruments. 26 The MR-PRESSO method identifies outliers with potential horizontal pleiotropy and provides estimates after removing the outliers, where p <0.05 for the global test indicates the presence of outliers with horizontal pleiotropy. 27 Furthermore, the Cochran Q test was utilized to examine heterogeneity, with a significance threshold of p <0.05 indicating significant heterogeneity.
|
||||
|
||||
## Instrumental Variable Selection
|
||||
|
||||
As previously outlined, a total of 13 and 28 SNPs were identified through a rigorous screening process to evaluate the effects of OSA on VTE, PE, and DVT. In the reverse MR analysis, 23, 14, 18, 19, 11, and 13 SNPs were identified to assess the implications of reverse association, respectively. Additional details regarding these genetic variants utilized for MR analysis are provided in Tables 2 and 3 .
|
||||
|
||||
## Effects of OSA on VTE
|
||||
|
||||
Fig. 2 shows the estimates of the effects for OSA on VTE, PE, and DVT. In the initial MR analysis using the OSA (Jiang et al) dataset, the random-effects IVW method revealed no significant association between OSA and the risk of VTE (odds ratio [OR]: 0.964, 95% confidence interval [CI]: 0.914-1.016, p = 0.172), PE (OR: 0.929, 95% CI: 0.857–1.006, p = 0.069), PE (OR: 0.929, 95% CI: 0.857–1.006, p = 0.069), and DVT (OR: 1.001, 95% CI: 0.936–1.071, p = 0.973). No heterogeneity was observed using the Cochran Q test (all p * > 0.05). The MR–Egger intercept test (all p ** > 0.05) and the MR-PRESSO global test (all p *** > 0.05) failed to detect any evidence of pleiotropy.
|
||||
|
||||
The validation analysis using genetic variants of OSA (Campos et al) yielded similar results. Notably, heterogeneity was observed in the sensitivity analysis for OSA (Campos et al) and VTE ( p * = 0.018). However, considering the random-effects IVW model employed, the level of heterogeneity was deemed acceptable. 28 Despite the presence of outliers suggested by the MR-PRESSO global test ( p = 0.015), no significant association between OSA and VTE (OR: 1.071, 95% CI: 0.917–1.251, p = 0.396) was found after excluding an outlier (rs7106583). In addition, none of the three complementary MR methods supported a genetic association between OSA and VTE.
|
||||
|
||||
## Effects of VTE on OSA
|
||||
|
||||
We conducted reverse MR analysis to further evaluate the effects of VTE (including PE and DVT) on OSA. Both MR analyses yielded consistent results, indicating no significant effects of VTE, PE, and DVT on OSA (see Fig. 3 ). Moreover, the Cochran Q test revealed no heterogeneity (all p * > 0.05), and both the MR–Egger intercept test and the MR-PRESSO global test found no evidence of pleiotropy (all p ** > 0.05 and p *** > 0.05, respectively) (see Fig. 3 ). In summary, a range of sensitivities confirmed the reliability of the MR results.
|
||||
|
||||
## Discussion
|
||||
|
||||
Our findings contradict some previous observational studies suggesting a link between susceptibility to OSA and an increased risk of VTE. 29 30 31 32
|
||||
|
||||
However, these studies were hindered by inadequate consideration of confounding factors, particularly obesity, along with methodological flaws and small sample sizes. Obesity is widely recognized as a significant risk factor for both OSA 33 and VTE. 34 Therefore, it is crucial not to overlook the impact of obesity in striving for a deeper understanding of the potential association between OSA and VTE. Notably, a cohort study involving 31,309 subjects indicated a higher likelihood of VTE development among patients with more severe OSA. Yet, this association disappeared upon adjusting for confounders, notably obesity levels. 35 Thus, it is plausible that the observed association between OSA and VTE could be attributed to obesity confounding. Additionally, Aman and his colleagues' report yielded consistent results, suggesting that OSA does not elevate the risk of VTE after adjusting for obesity confounding. 36
|
||||
|
||||
While our MR study did not find evidence supporting a genetic association between OSA and VTE, it remains possible that OSA could influence the onset or progression of VTE. Virchow's triad depicts three major factors inducing VTE: endothelial injury, venous stasis, and hypercoagulability. 37 The pathophysiologic mechanism linking OSA and VTE remains unknown but may be associated with OSA's capacity to affect the three classical mechanistic pathways of Virchow's triad. 38 Intermittent hypoxia, a signature feature of OSA, can induce oxidative stress and activate inflammatory markers, further damaging the vascular endothelium. 39 40 OSA-associated hemodynamic alterations and reduced physical activities may result in venous stasis. 41 A growing number of studies have demonstrated a strong correlation between OSA and hypercoagulability. A retrospective cohort study aimed at assessing coagulation in patients with OSA suggested that patients with moderate to severe OSA experienced elevated markers of blood coagulability, primarily evidenced by shortened prothrombin time, compared to healthy individuals. 42 Two additional studies of thrombotic parameters found that patients with OSA possessed higher levels of the thrombin–antithrombin complex. 43 44 Furthermore, several coagulation factors, such as fibrinogen, coagulation factor VII, coagulation factor XII, and vascular hemophilic factor, which play a crucial role in the coagulation process, are elevated in patients with OSA. 45 Collectively, this evidence supports that patients with OSA are in a state of hypercoagulability, facilitating our understanding of the underlying pathophysiologic mechanisms between OSA and VTE. Considering these potential mechanisms, future large-scale studies are necessary to thoroughly explore the potential association between OSA and VTE, delving into greater depth.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1 Information on data sources
|
||||
|
||||
| Trait | Sample size | Case | Control | No. of SNPs | Participates | PMID/Link |
|
||||
|--------------------|---------------|--------|-----------|---------------|-------------------|--------------------------------------------------|
|
||||
| OSA (Jiang et al) | 456,348 | 2,827 | 453,521 | 11,831,932 | European ancestry | 34737426 |
|
||||
| OSA (Campos et al) | 362,638 | 25,008 | 337,630 | 9,031,949 | European ancestry | 36525587 |
|
||||
| VTE | 377,277 | 19,372 | 357,905 | 20,170,236 | European ancestry | FinnGen consortium ( https://www.finngen.fi/fi ) |
|
||||
| PE | 376,351 | 9,243 | 367,108 | 20,170,202 | European ancestry | FinnGen consortium ( https://www.finngen.fi/fi ) |
|
||||
| DVT | 333,230 | 9,109 | 324,121 | 20,169,198 | European ancestry | FinnGen consortium ( https://www.finngen.fi/fi ) |
|
||||
|
||||
Table 2 Genetic variants used in the MR analysis
|
||||
|
||||
| Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Jiang et al) and their associations with VTE, PE, and DVT |
|
||||
|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------------|
|
||||
| | | | | Exposure: OSA (Jiang et al) | Exposure: OSA (Jiang et al) | Exposure: OSA (Jiang et al) | Exposure: OSA (Jiang et al) | Outcome: VTE | Outcome: VTE | Outcome: VTE | Outcome: PE | Outcome: PE | Outcome: PE | Outcome: DVT | Outcome: DVT | Outcome: DVT |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value | Beta | SE | p -Value | Beta | SE | p -Value |
|
||||
| 1 | rs114417992 | C | G | 0.48798 | 0.10793 | 6.15E-06 | 20.4409 | 0.00702 | 0.04378 | 0.87253 | −0.0542 | 0.06211 | 0.3832 | −0.0052 | 0.06334 | 0.93511 |
|
||||
| 2 | rs115071002 | T | C | −0.3775 | 0.0807 | 2.90E-06 | 21.8836 | −0.0521 | 0.05045 | 0.30146 | 0.0359 | 0.07185 | 0.61729 | −0.0633 | 0.07247 | 0.38241 |
|
||||
| 3 | rs117025138 | C | G | 0.42795 | 0.09571 | 7.78E-06 | 19.9915 | −0.0149 | 0.05477 | 0.78611 | 0.0087 | 0.07809 | 0.91129 | −0.0338 | 0.07836 | 0.66637 |
|
||||
| 4 | rs117474005 | T | C | 0.64176 | 0.14138 | 5.64E-06 | 20.6051 | −0.0095 | 0.04108 | 0.81724 | −0.0009 | 0.05862 | 0.98772 | −0.0301 | 0.05891 | 0.60971 |
|
||||
| 5 | rs139183760 | C | G | 0.82973 | 0.16928 | 9.50E-07 | 24.0262 | 0.06514 | 0.07681 | 0.39643 | 0.04441 | 0.10929 | 0.68448 | 0.04761 | 0.11024 | 0.66585 |
|
||||
| 6 | rs148047757 | A | G | 0.47481 | 0.10699 | 9.08E-06 | 19.6952 | −0.0522 | 0.0352 | 0.13769 | −0.044 | 0.04999 | 0.37895 | −0.0294 | 0.05078 | 0.562 |
|
||||
| 7 | rs150798389 | C | A | 0.7875 | 0.17391 | 5.95E-06 | 20.505 | −0.2884 | 0.1435 | 0.04447 | −0.2436 | 0.20053 | 0.22438 | −0.1329 | 0.20679 | 0.52056 |
|
||||
| 8 | rs16850412 | A | G | 0.19514 | 0.04353 | 7.36E-06 | 20.0977 | 0.02674 | 0.01584 | 0.09145 | 0.04785 | 0.02253 | 0.03368 | 0.0173 | 0.02277 | 0.44739 |
|
||||
| 9 | rs1911999 | C | T | −0.1312 | 0.02965 | 9.59E-06 | 19.5917 | 0.01759 | 0.01111 | 0.11349 | 0.0376 | 0.01577 | 0.01714 | 0.00223 | 0.01596 | 0.88889 |
|
||||
| 10 | rs2302012 | A | G | 0.12829 | 0.02871 | 7.88E-06 | 19.9669 | −0.0104 | 0.01076 | 0.33549 | −0.0272 | 0.0153 | 0.07541 | 0.00767 | 0.01545 | 0.61949 |
|
||||
| 11 | rs35963104 | T | C | 0.16572 | 0.03452 | 1.59E-06 | 23.0393 | −0.0076 | 0.01354 | 0.57685 | −0.02 | 0.01924 | 0.29896 | −0.007 | 0.01942 | 0.71778 |
|
||||
| 12 | rs60445800 | T | C | 0.29191 | 0.06499 | 7.06E-06 | 20.1758 | −0.0268 | 0.02361 | 0.25672 | −0.0649 | 0.03349 | 0.05277 | 0.0112 | 0.03388 | 0.74095 |
|
||||
| 13 | rs9587442 | T | C | 0.44308 | 0.09584 | 3.78E-06 | 21.3735 | −0.0385 | 0.03346 | 0.24969 | −0.0101 | 0.04781 | 0.83322 | 0.00182 | 0.04783 | 0.96962 |
|
||||
| Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT | Genetic instruments for OSA (Campos et al) and their associations with VTE, PE, and DVT |
|
||||
| | | | | Exposure: OSA (Campos et al) | Exposure: OSA (Campos et al) | Exposure: OSA (Campos et al) | Exposure: OSA (Campos et al) | Outcome: VTE | Outcome: VTE | Outcome: VTE | Outcome: PE | Outcome: PE | Outcome: PE | Outcome: DVT | Outcome: DVT | Outcome: DVT |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value | Beta | SE | p -Value | Beta | SE | p -Value |
|
||||
| 1 | rs10777826 | T | C | −0.0319 | 0.00664 | 1.58E-06 | 23.0496 | 0.00684 | 0.01097 | 0.53296 | 0.01049 | 0.01557 | 0.50053 | 0.01763 | 0.01576 | 0.26318 |
|
||||
| 2 | rs10878269 | T | C | 0.03308 | 0.0069 | 1.61E-06 | 23.0112 | −0.0208 | 0.01191 | 0.08097 | −0.0262 | 0.01693 | 0.12108 | −0.015 | 0.01711 | 0.37964 |
|
||||
| 3 | rs111909157 | T | C | −0.1355 | 0.02658 | 3.40E-07 | 26.01 | 0.02664 | 0.04222 | 0.52808 | 0.03995 | 0.05999 | 0.5054 | 0.0364 | 0.06089 | 0.55 |
|
||||
| 4 | rs116114601 | A | G | −0.0873 | 0.01969 | 9.20E-06 | 19.6692 | −0.0401 | 0.04098 | 0.32779 | −0.0676 | 0.05814 | 0.24516 | −0.0182 | 0.05873 | 0.75679 |
|
||||
| 5 | rs11989172 | C | G | −0.0378 | 0.00839 | 6.73E-06 | 20.268 | −0.0217 | 0.01283 | 0.09 | −0.039 | 0.01823 | 0.03222 | 0.01058 | 0.01842 | 0.56561 |
|
||||
| 6 | rs12265404 | A | G | 0.04931 | 0.01041 | 2.17E-06 | 22.4392 | 0.05233 | 0.0166 | 0.00162 | 0.05687 | 0.0233 | 0.01467 | 0.04278 | 0.02358 | 0.06956 |
|
||||
| 7 | rs12306339 | A | C | −0.0488 | 0.01083 | 6.64E-06 | 20.295 | −0.0051 | 0.01804 | 0.77914 | −0.023 | 0.02561 | 0.37006 | 0.01462 | 0.02593 | 0.57292 |
|
||||
| 8 | rs13098300 | T | C | 0.03715 | 0.00712 | 1.84E-07 | 27.1962 | 0.00251 | 0.01202 | 0.83434 | 0.0101 | 0.01708 | 0.55432 | 5.55E-05 | 0.01727 | 0.99744 |
|
||||
| 9 | rs140548601 | C | G | −0.1158 | 0.02428 | 1.85E-06 | 22.7529 | 0.05503 | 0.04711 | 0.24277 | 0.09206 | 0.06692 | 0.16895 | 0.04613 | 0.06762 | 0.49515 |
|
||||
| 10 | rs143417867 | A | G | −0.3666 | 0.07088 | 2.30E-07 | 26.7599 | −0.1487 | 0.2216 | 0.5021 | 0.15664 | 0.31582 | 0.61991 | −0.0868 | 0.31594 | 0.78353 |
|
||||
| 11 | rs1942263 | A | G | 0.04569 | 0.01016 | 6.93E-06 | 20.214 | −0.0156 | 0.01713 | 0.36361 | −0.0136 | 0.02436 | 0.57584 | −0.0318 | 0.02468 | 0.19751 |
|
||||
| 12 | rs2876633 | A | T | −0.0355 | 0.00695 | 3.43E-07 | 25.9896 | −0.0104 | 0.01158 | 0.36765 | −0.0104 | 0.01645 | 0.52845 | 0.0032 | 0.01664 | 0.84772 |
|
||||
| 13 | rs35847366 | A | G | 0.0545 | 0.01172 | 3.31E-06 | 21.6318 | −0.0365 | 0.01831 | 0.04596 | −0.0383 | 0.02603 | 0.14125 | −0.0511 | 0.02629 | 0.0517 |
|
||||
| 14 | rs36051007 | T | C | 0.03481 | 0.00716 | 1.14E-06 | 23.6682 | −0.0037 | 0.01095 | 0.73452 | −0.0145 | 0.01557 | 0.35199 | 0.00723 | 0.01573 | 0.64597 |
|
||||
| 15 | rs3774800 | A | G | −0.0309 | 0.0069 | 7.79E-06 | 19.9898 | 0.00395 | 0.01151 | 0.73124 | −0.0107 | 0.01634 | 0.51218 | 0.0093 | 0.01654 | 0.57396 |
|
||||
| 16 | rs4542364 | A | G | 0.03028 | 0.00673 | 6.69E-06 | 20.277 | −0.0053 | 0.01084 | 0.6236 | −0.0199 | 0.01541 | 0.19737 | 0.00163 | 0.01559 | 0.91663 |
|
||||
| 17 | rs4675933 | T | C | −0.0329 | 0.00709 | 3.44E-06 | 21.5482 | 0.00822 | 0.01093 | 0.45187 | 0.00396 | 0.01554 | 0.79863 | 0.01593 | 0.01568 | 0.30957 |
|
||||
| 18 | rs533143 | T | C | 0.03237 | 0.00732 | 9.73E-06 | 19.5629 | 0.02892 | 0.01429 | 0.04304 | 0.02757 | 0.02031 | 0.1747 | 0.0111 | 0.02054 | 0.58881 |
|
||||
| 19 | rs60653979 | A | G | 0.03384 | 0.0068 | 6.43E-07 | 24.7805 | 0.01098 | 0.01083 | 0.31063 | −0.0154 | 0.01539 | 0.31844 | 0.02887 | 0.01557 | 0.06364 |
|
||||
| 20 | rs62559379 | C | G | 0.0706 | 0.01455 | 1.22E-06 | 23.5419 | −0.0163 | 0.02726 | 0.54934 | −0.028 | 0.03871 | 0.46867 | −0.0113 | 0.03915 | 0.77255 |
|
||||
| 21 | rs7106583 | T | C | 0.03868 | 0.00839 | 4.09E-06 | 21.2244 | −0.0434 | 0.014 | 0.00194 | −0.0205 | 0.02006 | 0.30655 | −0.0414 | 0.0203 | 0.04114 |
|
||||
| 22 | rs72904209 | T | C | −0.0446 | 0.00983 | 5.67E-06 | 20.5934 | −0.0153 | 0.01617 | 0.34449 | −0.0355 | 0.02292 | 0.1215 | −0.0066 | 0.02327 | 0.77599 |
|
||||
| 23 | rs73141516 | T | C | 0.06496 | 0.01415 | 4.40E-06 | 21.0865 | 0.0084 | 0.02184 | 0.70062 | −0.0241 | 0.03105 | 0.43797 | 0.03405 | 0.03133 | 0.27717 |
|
||||
| 24 | rs73164714 | T | C | −0.0695 | 0.01285 | 6.43E-08 | 29.2248 | −0.028 | 0.03721 | 0.45256 | 0.00562 | 0.05276 | 0.91513 | −0.0139 | 0.05319 | 0.79352 |
|
||||
| 25 | rs7800775 | A | G | 0.03487 | 0.00785 | 8.98E-06 | 19.7136 | 0.00351 | 0.01357 | 0.79598 | 0.00758 | 0.01929 | 0.69414 | −0.0166 | 0.01948 | 0.39528 |
|
||||
| 26 | rs794999 | A | G | 0.03421 | 0.00764 | 7.64E-06 | 20.0256 | 0.00108 | 0.01258 | 0.93171 | 0.0139 | 0.01786 | 0.43649 | 0.00374 | 0.01807 | 0.83582 |
|
||||
| 27 | rs9464135 | A | G | −0.0309 | 0.00663 | 3.11E-06 | 21.7436 | −0.0076 | 0.01055 | 0.47151 | 0.01164 | 0.015 | 0.43786 | −0.0375 | 0.01516 | 0.01337 |
|
||||
| 28 | rs9567762 | A | T | 0.03635 | 0.00823 | 9.92E-06 | 19.5276 | 0.01223 | 0.01084 | 0.25934 | 0.00403 | 0.0154 | 0.7934 | 0.01552 | 0.01557 | 0.31884 |
|
||||
|
||||
Table 3 Genetic variants used in the reverse MR analysis
|
||||
|
||||
| Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Jiang et al) |
|
||||
|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|--------------------------------------------------------------------------------------|
|
||||
| | | | | Exposure: VTE | Exposure: VTE | Exposure: VTE | Exposure: VTE | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs10896706 | A | G | 0.0702142 | 0.0121006 | 6.53E-09 | 33.669456 | −0.0597845 | 0.029345 | 0.0416207 |
|
||||
| 2 | rs113079063 | T | G | 0.378107 | 0.0507769 | 9.59E-14 | 55.449428 | 0.0050364 | 0.0876134 | 0.954159 |
|
||||
| 3 | rs114026832 | A | C | 0.773925 | 0.099915 | 9.50E-15 | 59.997944 | 0.0578773 | 0.180543 | 0.748533 |
|
||||
| 4 | rs114767153 | T | A | −0.20888 | 0.0348173 | 1.98E-09 | 35.991798 | −0.0712189 | 0.0909972 | 0.433833 |
|
||||
| 5 | rs116997538 | T | C | 0.403288 | 0.0383066 | 6.42E-26 | 110.83665 | −0.067735 | 0.123897 | 0.584581 |
|
||||
| 6 | rs12054563 | G | A | −0.126677 | 0.0176431 | 6.97E-13 | 51.552027 | 0.0602695 | 0.0663601 | 0.363763 |
|
||||
| 7 | rs1560711 | T | C | 0.122379 | 0.0141465 | 5.11E-18 | 74.836901 | 0.0310044 | 0.0321024 | 0.334145 |
|
||||
| 8 | rs174529 | C | T | −0.0686342 | 0.0107211 | 1.54E-10 | 40.982878 | −0.0053417 | 0.0276673 | 0.846904 |
|
||||
| 9 | rs188337046 | T | C | 0.16048 | 0.0250424 | 1.47E-10 | 41.066712 | 0.178311 | 0.206621 | 0.388145 |
|
||||
| 10 | rs2066865 | A | G | 0.186112 | 0.0112369 | 1.30E-61 | 274.31889 | 0.0083154 | 0.0313691 | 0.790945 |
|
||||
| 11 | rs2519785 | G | A | −0.0702991 | 0.0118882 | 3.35E-09 | 34.967721 | 0.0074319 | 0.0297183 | 0.802526 |
|
||||
| 12 | rs3756011 | A | C | 0.192712 | 0.0105525 | 1.65E-74 | 333.50841 | −0.0026386 | 0.0272831 | 0.922956 |
|
||||
| 13 | rs57328376 | G | A | 0.0697584 | 0.0109198 | 1.68E-10 | 40.809724 | −0.0101806 | 0.0290533 | 0.726031 |
|
||||
| 14 | rs576123 | T | C | −0.237396 | 0.0104973 | 3.09E-113 | 511.43633 | 0.00819 | 0.0287779 | 0.775956 |
|
||||
| 15 | rs5896 | T | C | 0.109291 | 0.0125852 | 3.82E-18 | 75.413406 | 0.0614773 | 0.0388191 | 0.113265 |
|
||||
| 16 | rs6025 | T | C | 0.873415 | 0.0298388 | 2.42E-188 | 856.79828 | 0.0502217 | 0.0899796 | 0.576745 |
|
||||
| 17 | rs6060308 | A | G | 0.101587 | 0.0112359 | 1.55E-19 | 81.744876 | 0.0521936 | 0.0308737 | 0.0909227 |
|
||||
| 18 | rs60681578 | C | A | −0.118392 | 0.0150029 | 2.99E-15 | 62.272211 | 0.0169103 | 0.0390773 | 0.665204 |
|
||||
| 19 | rs62350309 | G | A | −0.173509 | 0.0181448 | 1.15E-21 | 91.440721 | −0.071956 | 0.0634685 | 0.256909 |
|
||||
| 20 | rs628094 | A | G | 0.0818781 | 0.0114389 | 8.19E-13 | 51.235029 | 0.0027028 | 0.0302168 | 0.928726 |
|
||||
| 21 | rs72708961 | C | T | 0.0891913 | 0.0159445 | 2.22E-08 | 31.291269 | −0.0765307 | 0.0367798 | 0.0374539 |
|
||||
| 22 | rs7772305 | G | A | −0.0726964 | 0.0111586 | 7.28E-11 | 42.443031 | 0.0585778 | 0.0307164 | 0.0565137 |
|
||||
| 23 | rs78807356 | T | G | 0.541094 | 0.0563616 | 7.96E-22 | 92.167713 | 0.101617 | 0.0796139 | 0.201825 |
|
||||
| | | | | Exposure: PE | Exposure: PE | Exposure: PE | Exposure: PE | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs117210485 | A | G | 0.150787 | 0.0228699 | 4.30E-11 | 43.470964 | 0.0214618 | 0.114177 | 0.8509 |
|
||||
| 2 | rs11758950 | T | C | 0.203947 | 0.0367907 | 2.97E-08 | 30.729716 | 0.0418521 | 0.0821953 | 0.610627 |
|
||||
| 3 | rs143620474 | A | G | 0.281243 | 0.0512263 | 4.01E-08 | 30.142375 | 0.546819 | 0.155226 | 0.0004271 |
|
||||
| 4 | rs1481808 | C | T | −0.480929 | 0.0875759 | 3.98E-08 | 30.157318 | −0.164933 | 0.105459 | 0.117828 |
|
||||
| 5 | rs1560711 | T | C | 0.144704 | 0.0202073 | 8.01E-13 | 51.279584 | 0.0310044 | 0.0321024 | 0.334145 |
|
||||
| 6 | rs1894692 | A | G | −0.547808 | 0.0457764 | 5.29E-33 | 143.21004 | 0.0002365 | 0.0951533 | 0.998017 |
|
||||
| 7 | rs2066865 | A | G | 0.227484 | 0.0158067 | 5.85E-47 | 207.11869 | 0.0083154 | 0.0313691 | 0.790945 |
|
||||
| 8 | rs28584824 | A | C | −0.155264 | 0.0279234 | 2.69E-08 | 30.917541 | −0.0268756 | 0.0782108 | 0.731124 |
|
||||
| 9 | rs3756011 | A | C | 0.234784 | 0.0149143 | 7.77E-56 | 247.81709 | −0.0026386 | 0.0272831 | 0.922956 |
|
||||
| 10 | rs62350309 | G | A | −0.202534 | 0.0260372 | 7.33E-15 | 60.507237 | −0.071956 | 0.0634685 | 0.256909 |
|
||||
| 11 | rs635634 | C | T | −0.239636 | 0.0177935 | 2.43E-41 | 181.37664 | 0.0064596 | 0.0347197 | 0.852404 |
|
||||
| 12 | rs665082 | C | G | −0.175581 | 0.030484 | 8.42E-09 | 33.175015 | −0.343267 | 0.216405 | 0.112688 |
|
||||
| 13 | rs77165492 | C | T | 0.209269 | 0.0275462 | 3.03E-14 | 57.714695 | −0.0445618 | 0.0457769 | 0.330327 |
|
||||
| 14 | rs78807356 | T | G | 0.515784 | 0.0795096 | 8.75E-11 | 42.082022 | 0.101617 | 0.0796139 | 0.201825 |
|
||||
| | | | | Exposure: DVT | Exposure: DVT | Exposure: DVT | Exposure: DVT | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) | Outcome: OSA (Jiang et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs113079063 | T | G | 0.436284 | 0.0717563 | 1.20E-09 | 36.967365 | 0.0050364 | 0.0876134 | 0.954159 |
|
||||
| 2 | rs116997538 | T | C | 0.466245 | 0.0534583 | 2.74E-18 | 76.067315 | −0.067735 | 0.123897 | 0.584581 |
|
||||
| 3 | rs13377102 | A | T | −0.233255 | 0.0255094 | 6.02E-20 | 83.610619 | −0.0250186 | 0.0389518 | 0.520681 |
|
||||
| 4 | rs2066865 | A | G | 0.184507 | 0.0161145 | 2.36E-30 | 131.09678 | 0.0083154 | 0.0313691 | 0.790945 |
|
||||
| 5 | rs2289252 | T | C | 0.197972 | 0.015135 | 4.26E-39 | 171.09712 | −0.0018411 | 0.0272571 | 0.946148 |
|
||||
| 6 | rs2519785 | G | A | −0.0982467 | 0.0169973 | 7.46E-09 | 33.409968 | 0.0074319 | 0.0297183 | 0.802526 |
|
||||
| 7 | rs576123 | T | C | −0.297682 | 0.014983 | 7.70E-88 | 394.73678 | 0.00819 | 0.0287779 | 0.775956 |
|
||||
| 8 | rs5896 | T | C | 0.141024 | 0.017945 | 3.88E-15 | 61.75884 | 0.0614773 | 0.0388191 | 0.113265 |
|
||||
| 9 | rs6025 | T | C | 1.10439 | 0.0393903 | 5.71E-173 | 786.07929 | 0.0502217 | 0.0899796 | 0.576745 |
|
||||
| 10 | rs6060237 | G | A | 0.168453 | 0.0198214 | 1.92E-17 | 72.225216 | 0.0318432 | 0.0414073 | 0.441879 |
|
||||
| 11 | rs60681578 | C | A | −0.137615 | 0.021627 | 1.98E-10 | 40.489181 | 0.0169103 | 0.0390773 | 0.665204 |
|
||||
| 12 | rs62350309 | G | A | −0.162704 | 0.0259998 | 3.90E-10 | 39.161241 | −0.071956 | 0.0634685 | 0.256909 |
|
||||
| 13 | rs666870 | A | G | 0.0924832 | 0.0159069 | 6.10E-09 | 33.802949 | 0.0127968 | 0.0271558 | 0.637472 |
|
||||
| 14 | rs7308002 | A | G | 0.0978174 | 0.01576 | 5.41E-10 | 38.522974 | −0.0027934 | 0.0275746 | 0.919309 |
|
||||
| 15 | rs76151810 | A | C | 0.153073 | 0.0273112 | 2.09E-08 | 31.413449 | −0.0018493 | 0.0507256 | 0.970918 |
|
||||
| 16 | rs7772305 | G | A | −0.100251 | 0.016057 | 4.28E-10 | 38.980608 | 0.0585778 | 0.0307164 | 0.0565137 |
|
||||
| 17 | rs78807356 | T | G | 0.621447 | 0.0792414 | 4.42E-15 | 61.504078 | 0.101617 | 0.0796139 | 0.201825 |
|
||||
| 18 | rs9865118 | T | C | 0.0863804 | 0.0151814 | 1.27E-08 | 32.374776 | 0.0363583 | 0.0268338 | 0.175436 |
|
||||
| Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) | Genetic instruments for VTE/PE/DVT and their associations with OSA (Campos et al) |
|
||||
| | | | | Exposure: VTE | Exposure: VTE | Exposure: VTE | Exposure: VTE | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs10896706 | A | G | 0.0702142 | 0.0121006 | 6.53E-09 | 33.669456 | 0.0073376 | 0.0072794 | 0.3136 |
|
||||
| 2 | rs114767153 | T | A | −0.20888 | 0.0348173 | 1.98E-09 | 35.991798 | −0.0240477 | 0.0220217 | 0.2749 |
|
||||
| 3 | rs116997538 | T | C | 0.403288 | 0.0383066 | 6.42E-26 | 110.83665 | −0.0202903 | 0.0346251 | 0.558 |
|
||||
| 4 | rs12054563 | G | A | −0.126677 | 0.0176431 | 6.97E-13 | 51.552027 | −0.0164525 | 0.0159578 | 0.3025 |
|
||||
| 5 | rs1560711 | T | C | 0.122379 | 0.0141465 | 5.11E-18 | 74.836901 | −0.0033405 | 0.0090041 | 0.7104 |
|
||||
| 6 | rs174529 | C | T | −0.0686342 | 0.0107211 | 1.54E-10 | 40.982878 | −0.0016235 | 0.0068503 | 0.8124 |
|
||||
| 7 | rs2066865 | A | G | 0.186112 | 0.0112369 | 1.30E-61 | 274.31889 | −0.0033999 | 0.0077623 | 0.6612 |
|
||||
| 8 | rs3756011 | A | C | 0.192712 | 0.0105525 | 1.65E-74 | 333.50841 | 0.000575 | 0.0067645 | 0.9326 |
|
||||
| 9 | rs57328376 | G | A | 0.0697584 | 0.0109198 | 1.68E-10 | 40.809724 | −0.0010062 | 0.0071873 | 0.8885 |
|
||||
| 10 | rs576123 | T | C | −0.237396 | 0.0104973 | 3.09E-113 | 511.43633 | 0.0183551 | 0.0086786 | 0.03441 |
|
||||
| 11 | rs5896 | T | C | 0.109291 | 0.0125852 | 3.82E-18 | 75.413406 | 0.020985 | 0.0096527 | 0.02974 |
|
||||
| 12 | rs6025 | T | C | 0.873415 | 0.0298388 | 2.42E-188 | 856.79828 | 0.0380118 | 0.0218836 | 0.08241 |
|
||||
| 13 | rs6060308 | A | G | 0.101587 | 0.0112359 | 1.55E-19 | 81.744876 | −0.0009288 | 0.0074901 | 0.9013 |
|
||||
| 14 | rs60681578 | C | A | −0.118392 | 0.0150029 | 2.99E-15 | 62.272211 | 0.0085067 | 0.0117172 | 0.4678 |
|
||||
| 15 | rs62350309 | G | A | −0.173509 | 0.0181448 | 1.15E-21 | 91.440721 | 0.0075114 | 0.0152982 | 0.6233 |
|
||||
| 16 | rs628094 | A | G | 0.0818781 | 0.0114389 | 8.19E-13 | 51.235029 | −0.0022354 | 0.0074021 | 0.7627 |
|
||||
| 17 | rs72708961 | C | T | 0.0891913 | 0.0159445 | 2.22E-08 | 31.291269 | −0.0170636 | 0.0090957 | 0.06059 |
|
||||
| 18 | rs7772305 | G | A | −0.0726964 | 0.0111586 | 7.28E-11 | 42.443031 | 0.016709 | 0.0086396 | 0.05311 |
|
||||
| 19 | rs80137017 | T | C | −0.208902 | 0.0177996 | 8.30E-32 | 137.74147 | 0.0152022 | 0.0099426 | 0.1262 |
|
||||
| | | | | Exposure: PE | Exposure: PE | Exposure: PE | Exposure: PE | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs117210485 | A | G | 0.150787 | 0.0228699 | 4.30E-11 | 43.470964 | −0.0346523 | 0.0239146 | 0.1473 |
|
||||
| 2 | rs143620474 | A | G | 0.281243 | 0.0512263 | 4.01E-08 | 30.142375 | 0.0124988 | 0.0892769 | 0.8889 |
|
||||
| 3 | rs1481808 | C | T | −0.480929 | 0.0875759 | 3.98E-08 | 30.157318 | −0.0281243 | 0.0269648 | 0.297 |
|
||||
| 4 | rs1560711 | T | C | 0.144704 | 0.0202073 | 8.01E-13 | 51.279584 | −0.0033405 | 0.0090041 | 0.7104 |
|
||||
| 5 | rs2066865 | A | G | 0.227484 | 0.0158067 | 5.85E-47 | 207.11869 | −0.0033999 | 0.0077623 | 0.6612 |
|
||||
| 6 | rs28584824 | A | C | −0.155264 | 0.0279234 | 2.69E-08 | 30.917541 | 0.0324135 | 0.0191569 | 0.09056 |
|
||||
| 7 | rs3756011 | A | C | 0.234784 | 0.0149143 | 7.77E-56 | 247.81709 | 0.000575 | 0.0067645 | 0.9326 |
|
||||
| 8 | rs62350309 | G | A | −0.202534 | 0.0260372 | 7.33E-15 | 60.507237 | 0.0075114 | 0.0152982 | 0.6233 |
|
||||
| 9 | rs635634 | C | T | −0.239636 | 0.0177935 | 2.43E-41 | 181.37664 | 0.0139975 | 0.0096935 | 0.1488 |
|
||||
| 10 | rs77165492 | C | T | 0.209269 | 0.0275462 | 3.03E-14 | 57.714695 | 0.0013946 | 0.0114311 | 0.9026 |
|
||||
| 11 | rs80137017 | T | C | −0.230014 | 0.02543 | 1.50E-19 | 81.811776 | 0.0152022 | 0.0099426 | 0.1262 |
|
||||
| | | | | Exposure: DVT | Exposure: DVT | Exposure: DVT | Exposure: DVT | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) | Outcome: OSA (Campos et al) |
|
||||
| | SNP | EA | OA | Beta | SE | p -Value | F-statistic | Beta | SE | p -Value |
|
||||
| 1 | rs116997538 | T | C | 0.466245 | 0.0534583 | 2.74E-18 | 76.067315 | −0.0202903 | 0.0346251 | 0.558 |
|
||||
| 2 | rs13377102 | A | T | −0.233255 | 0.0255094 | 6.02E-20 | 83.610619 | 0.0085579 | 0.0096591 | 0.3759 |
|
||||
| 3 | rs2066865 | A | G | 0.184507 | 0.0161145 | 2.36E-30 | 131.09678 | −0.0033999 | 0.0077623 | 0.6612 |
|
||||
| 4 | rs576123 | T | C | −0.297682 | 0.014983 | 7.70E-88 | 394.73678 | 0.0183551 | 0.0086786 | 0.03441 |
|
||||
| 5 | rs5896 | T | C | 0.141024 | 0.017945 | 3.88E-15 | 61.75884 | 0.020985 | 0.0096527 | 0.02974 |
|
||||
| 6 | rs6025 | T | C | 1.10439 | 0.0393903 | 5.71E-173 | 786.07929 | 0.0380118 | 0.0218836 | 0.08241 |
|
||||
| 7 | rs6060237 | G | A | 0.168453 | 0.0198214 | 1.92E-17 | 72.225216 | 0.0060526 | 0.0101724 | 0.5518 |
|
||||
| 8 | rs60681578 | C | A | −0.137615 | 0.021627 | 1.98E-10 | 40.489181 | 0.0085067 | 0.0117172 | 0.4678 |
|
||||
| 9 | rs62350309 | G | A | −0.162704 | 0.0259998 | 3.90E-10 | 39.161241 | 0.0075114 | 0.0152982 | 0.6233 |
|
||||
| 10 | rs666870 | A | G | 0.0924832 | 0.0159069 | 6.10E-09 | 33.802949 | 0.0074616 | 0.0067221 | 0.2669 |
|
||||
| 11 | rs7308002 | A | G | 0.0978174 | 0.01576 | 5.41E-10 | 38.522974 | −0.0023644 | 0.0068533 | 0.7298 |
|
||||
| 12 | rs7772305 | G | A | −0.100251 | 0.016057 | 4.28E-10 | 38.980608 | 0.016709 | 0.0086396 | 0.05311 |
|
||||
| 13 | rs9865118 | T | C | 0.0863804 | 0.0151814 | 1.27E-08 | 32.374776 | −0.0005648 | 0.0066442 | 0.9323 |
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1 The flowchart of instrumental variables selection. LD, linkage disequilibrium; SNPs, single-nucleotide polymorphisms; BMI, body mass index; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; OSA, obstructive sleep apnea; ①, represents OSA (Jiang et al) as the outcome; ②, represents OSA (Campos et al) as the outcome.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2 The genetic association of OSA with VTE/PE/DVT. OSA, obstructive sleep apnea; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; MR, mendelian randomization; IVW, inverse variance weighted; PRESSO, pleiotropy residual sum and outlier; P*, represents P for heterogeneity test; P**, represents P for MR-Egger intercept; P***, represents P for MR-PRESSO global test.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3 The genetic association of VTE/PE/DVT with OSA. OSA, obstructive sleep apnea; VTE, venous thromboembolism; PE, pulmonary embolism; DVT, deep vein thrombosis; MR, mendelian randomization; IVW, inverse variance weighted; PRESSO, pleiotropy residual sum and outlier; P*, represents P for heterogeneity test; P**, represents P for MR-Egger intercept; P***, represents P for MR-PRESSO global test.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- S H Wang; W S Chen; S E Tang. Benzodiazepines associated with acute respiratory failure in patients with obstructive sleep apnea. Front Pharmacol (2019)
|
||||
- C R Innes; P T Kelly; M Hlavac; T R Melzer; R D Jones. Decreased regional cerebral perfusion in moderate-severe obstructive sleep apnoea during wakefulness. Sleep (2015)
|
||||
- C V Senaratna; J L Perret; C J Lodge. Prevalence of obstructive sleep apnea in the general population: a systematic review. Sleep Med Rev (2017)
|
||||
- J Bai; H Wen; J Tai. Altered spontaneous brain activity related to neurologic and sleep dysfunction in children with obstructive sleep apnea syndrome. Front Neurosci (2021)
|
||||
- J M Marin; A Agusti; I Villar. Association between treated and untreated obstructive sleep apnea and risk of hypertension. JAMA (2012)
|
||||
- S Redline; G Yenokyan; D J Gottlieb. Obstructive sleep apnea-hypopnea and incident stroke: the sleep heart health study. Am J Respir Crit Care Med (2010)
|
||||
- O Mesarwi; A Malhotra. Obstructive sleep apnea and pulmonary hypertension: a bidirectional relationship. J Clin Sleep Med (2020)
|
||||
- F Piccirillo; S P Crispino; L Buzzelli; A Segreti; R A Incalzi; F Grigioni. A state-of-the-art review on sleep apnea syndrome and heart failure. Am J Cardiol (2023)
|
||||
- K Glise Sandblad; A Rosengren; J Sörbo; S Jern; P O Hansson. Pulmonary embolism and deep vein thrombosis-comorbidities and temporary provoking factors in a register-based study of 1.48 million people. Res Pract Thromb Haemost (2022)
|
||||
- R Raj; A Paturi; M A Ahmed; S E Thomas; V R Gorantla. Obstructive sleep apnea as a risk factor for venous thromboembolism: a systematic review. Cureus (2022)
|
||||
- C C Lin; J J Keller; J H Kang; T C Hsu; H C Lin. Obstructive sleep apnea is associated with an increased risk of venous thromboembolism. J Vasc Surg Venous Lymphat Disord (2013)
|
||||
- Y H Peng; W C Liao; W S Chung. Association between obstructive sleep apnea and deep vein thrombosis / pulmonary embolism: a population-based retrospective cohort study. Thromb Res (2014)
|
||||
- O Nepveu; C Orione; C Tromeur. Association between obstructive sleep apnea and venous thromboembolism recurrence: results from a French cohort. Thromb J (2022)
|
||||
- O Dabbagh; M Sabharwal; O Hassan. Obstructive sleep apnea is an independent risk factor for venous thromboembolism among females not males. Chest (2010)
|
||||
- J P Bosanquet; B C Bade; M F Zia. Patients with venous thromboembolism appear to have higher prevalence of obstructive sleep apnea than the general population. Clin Appl Thromb Hemost (2011)
|
||||
- A Xue; L Jiang; Z Zhu. Genome-wide analyses of behavioural traits are subject to bias by misreports and longitudinal changes. Nat Commun (2021)
|
||||
- B Pu; P Gu; C Zheng; L Ma; X Zheng; Z Zeng. Self-reported and genetically predicted effects of coffee intake on rheumatoid arthritis: epidemiological studies and Mendelian randomization analysis. Front Nutr (2022)
|
||||
- L Jiang; Z Zheng; H Fang; J Yang. A generalized linear mixed model association tool for biobank-scale data. Nat Genet (2021)
|
||||
- A I Campos; N Ingold; Y Huang. Discovery of genomic loci associated with sleep apnea risk through multi-trait GWAS analysis with snoring. Sleep (2023)
|
||||
- R Feng; M Lu; J Xu. Pulmonary embolism and 529 human blood metabolites: genetic correlation and two-sample Mendelian randomization study. BMC Genom Data (2022)
|
||||
- R Molenberg; C HL Thio; M W Aalbers. Sex hormones and risk of aneurysmal subarachnoid hemorrhage: a Mendelian randomization study. Stroke (2022)
|
||||
- S H Wang; B T Keenan; A Wiemken. Effect of weight loss on upper airway anatomy and the apnea-hypopnea index. the importance of tongue fat. Am J Respir Crit Care Med (2020)
|
||||
- C Hotoleanu. Association between obesity and venous thromboembolism. Med Pharm Rep (2020)
|
||||
- H Zhao; X Jin. Causal associations between dietary antioxidant vitamin intake and lung cancer: a Mendelian randomization study. Front Nutr (2022)
|
||||
- B Tang; Y Wang; X Jiang. Genetic variation in targets of antidiabetic drugs and Alzheimer disease risk: a Mendelian randomization study. Neurology (2022)
|
||||
- S S Dong; K Zhang; Y Guo. Phenome-wide investigation of the causal associations between childhood BMI and adult trait outcomes: a two-sample Mendelian randomization study. Genome Med (2021)
|
||||
- W Huang; J Xiao; J Ji; L Chen. Association of lipid-lowering drugs with COVID-19 outcomes from a Mendelian randomization study. eLife (2021)
|
||||
- X Chen; J Kong; J Pan. Kidney damage causally affects the brain cortical structure: a Mendelian randomization study. EBioMedicine (2021)
|
||||
- I Arnulf; M Merino-Andreu; A Perrier; S Birolleau; T Similowski; J P Derenne. Obstructive sleep apnea and venous thromboembolism. JAMA (2002)
|
||||
- K T Chou; C C Huang; Y M Chen. Sleep apnea and risk of deep vein thrombosis: a non-randomized, pair-matched cohort study. Am J Med (2012)
|
||||
- A Alonso-Fernández; M de la Peña; D Romero. Association between obstructive sleep apnea and pulmonary embolism. Mayo Clin Proc (2013)
|
||||
- M Ambrosetti; A Lucioni; W Ageno; S Conti; M Neri. Is venous thromboembolism more frequent in patients with obstructive sleep apnea syndrome?. J Thromb Haemost (2004)
|
||||
- S Reutrakul; B Mokhlesi. Obstructive sleep apnea and diabetes: a state of the art review. Chest (2017)
|
||||
- S Lindström; M Germain; M Crous-Bou. Assessing the causal relationship between obesity and venous thromboembolism through a Mendelian Randomization study. Hum Genet (2017)
|
||||
- M V Genuardi; A Rathore; R P Ogilvie. Incidence of VTE in patients with OSA: a cohort study. Chest (2022)
|
||||
- R Aman; V G Michael; P O Rachel. Obstructive sleep apnea does not increase risk of venous thromboembolism. American Thoracic Society (2019)
|
||||
- C T Esmon. Basic mechanisms and pathogenesis of venous thrombosis. Blood Rev (2009)
|
||||
- A García-Ortega; E Mañas; R López-Reyes. Obstructive sleep apnoea and venous thromboembolism: pathophysiological links and clinical implications. Eur Respir J (2019)
|
||||
- H Xiong; M Lao; L Wang. The incidence of cancer is increased in hospitalized adult patients with obstructive sleep apnea in China: a retrospective cohort study. Front Oncol (2022)
|
||||
- A Holt; J Bjerre; B Zareini. Sleep apnea, the risk of developing heart failure, and potential benefits of continuous positive airway pressure (CPAP) therapy. J Am Heart Assoc (2018)
|
||||
- A Alonso-Fernández; N Toledo-Pons; F García-Río. Obstructive sleep apnea and venous thromboembolism: overview of an emerging relationship. Sleep Med Rev (2020)
|
||||
- S N Hong; H C Yun; J H Yoo; S H Lee. Association between hypercoagulability and severe obstructive sleep apnea. JAMA Otolaryngol Head Neck Surg (2017)
|
||||
- G V Robinson; J C Pepperell; H C Segal; R J Davies; J R Stradling. Circulating cardiovascular risk factors in obstructive sleep apnoea: data from randomised controlled trials. Thorax (2004)
|
||||
- R von Känel; J S Loredo; F L Powell; K A Adler; J E Dimsdale. Short-term isocapnic hypoxia and coagulation activation in patients with sleep apnea. Clin Hemorheol Microcirc (2005)
|
||||
- C Zolotoff; L Bertoletti; D Gozal. Obstructive sleep apnea, hypercoagulability, and the blood-brain barrier. J Clin Med (2021)
|
@ -0,0 +1,76 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Exploring the Two-Way Link betwe ... o-Sample Mendelian Randomization Study
|
||||
item-2 at level 1: paragraph: Yang Wang; Vascular Surgery, Sha ... iliated Central Hospital, Jinan, China
|
||||
item-3 at level 1: text: Background The objective of this ... nd VTE within the European population.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Venous thromboembolism (VTE) enc ... risk in clinical settings are crucial.
|
||||
item-6 at level 2: text: Migraine, characterized by recur ... elationship between VTE and migraines.
|
||||
item-7 at level 2: text: Mendelian randomization (MR) is ... n traditional epidemiological methods.
|
||||
item-8 at level 1: section_header: Research Methodology
|
||||
item-9 at level 2: text: A rigorous bidirectional two-sam ... of the resultant causal inferences. 12
|
||||
item-10 at level 1: section_header: Data Sources
|
||||
item-11 at level 2: text: Our SNPs are obtained from large ... in our study can be found in Table 1 .
|
||||
item-12 at level 2: text: The variances in genetic variati ... ecessity for further ethical approval.
|
||||
item-13 at level 1: section_header: Filtering Criteria of IVs
|
||||
item-14 at level 2: text: To select appropriate SNPs as IV ... 0 to minimize weak instrument bias. 19
|
||||
item-15 at level 1: section_header: Results
|
||||
item-16 at level 2: text: In the present investigation, we ... analysis results detailed in Table 2 .
|
||||
item-17 at level 1: section_header: Mendelian Randomization Analysis
|
||||
item-18 at level 2: text: During the IV screening process, ... ined in our investigation ( Fig. 2D ).
|
||||
item-19 at level 1: section_header: Reverse Mendelian Randomization Analysis
|
||||
item-20 at level 2: text: Upon screening for IVs in migrai ... e estimated causal effect ( Fig. 3D ).
|
||||
item-21 at level 1: section_header: Discussion
|
||||
item-22 at level 2: text: VTE constitutes a grave health h ... he MR analysis is considered reliable.
|
||||
item-23 at level 2: text: Our MR analysis discloses a pote ... s in clinical practice is recommended.
|
||||
item-24 at level 2: text: Our endeavor seeks to offer a pr ... rely a weak risk factor for migraines.
|
||||
item-25 at level 1: section_header: Tables
|
||||
item-27 at level 1: table with [3x6]
|
||||
item-27 at level 2: caption: Table 1 Description of GWAS used for each phenotype
|
||||
item-29 at level 1: table with [4x7]
|
||||
item-29 at level 2: caption: Table 2 Mendelian randomization regression causal association results
|
||||
item-30 at level 1: section_header: Figures
|
||||
item-32 at level 1: picture
|
||||
item-32 at level 2: caption: Fig. 1 This figure illustrates the research methodology for the bidirectional Mendelian randomization analysis concerning migraine and VTE. Assumption I: relevance assumption; Assumption II: independence/exchangeability assumption; Assumption III: exclusion restriction assumption.
|
||||
item-34 at level 1: picture
|
||||
item-34 at level 2: caption: Fig. 2 This figure explores the correlation between migraine risk and VTE, validating the presence of heterogeneity and pleiotropy. (A) The forest plot displays individual IVs, with each point flanked by lines that depict the 95% confidence interval. The effect of SNPs on the exposure (migraine) is shown along thex-axis, whereas their impact on the outcome (VTE) is presented on they-axis. A fitted line reflects the Mendelian randomization analysis results. (B) A scatter plot visualizes each IV, with the SNP effects on both exposure and outcome similar to that of the forest plot. Again, a fitted line represents the Mendelian randomization results. (C) The funnel plot positions the coefficient βIVfrom the instrumental variable regression on thex-axis to demonstrate the association's strength, while the inverse of its standard error (1/SEIV†) on they-axis indicates the precision of this estimate. (D) A leave-one-out sensitivity analysis is shown on thex-axis, charting the estimated effects from the Mendelian randomization analysis. With each SNP associated with migraine successively excluded, the analysis recalculates the Mendelian randomization effect estimates, culminating with the “all” category that encompasses all considered SNPs. IV, instrumental variable; SNP, single nucleotide polymorphisms; VTE, venous thromboembolism; SE, standard error.†SE is the standard error of β.
|
||||
item-36 at level 1: picture
|
||||
item-36 at level 2: caption: Fig. 3 (A–D) This figure presents the relationship between VTE risk and migraine, also verifying heterogeneity and pleiotropy through similar graphic representations as detailed forFig. 2, but with the exposure and outcome reversed—SNPs' effect on VTE and outcome on migraine. SNP, single nucleotide polymorphisms; VTE, venous thromboembolism.
|
||||
item-37 at level 1: section_header: References
|
||||
item-38 at level 1: list: group list
|
||||
item-39 at level 2: list_item: F Khan; T Tritschler; S R Kahn; ... Venous thromboembolism. Lancet (2021)
|
||||
item-40 at level 2: list_item: J A Heit. Epidemiology of venous thromboembolism. Nat Rev Cardiol (2015)
|
||||
item-41 at level 2: list_item: . Headache Classification Commit ... rders, 3rd edition. Cephalalgia (2018)
|
||||
item-42 at level 2: list_item: K Adelborg; S K Szépligeti; L Ho ... based matched cohort study. BMJ (2018)
|
||||
item-43 at level 2: list_item: K P Peng; Y T Chen; J L Fuh; C H ... tionwide cohort study. Headache (2016)
|
||||
item-44 at level 2: list_item: S Sacco; A Carolei. Burden of at ... tients with migraine. Neurology (2009)
|
||||
item-45 at level 2: list_item: A R Folsom; P L Lutsey; J R Misi ... dults. Res Pract Thromb Haemost (2019)
|
||||
item-46 at level 2: list_item: I Y Elgendy; S E Nadeau; C N Bai ... ease in women. J Am Heart Assoc (2019)
|
||||
item-47 at level 2: list_item: C A Emdin; A V Khera; S Kathiresan. Mendelian randomization. JAMA (2017)
|
||||
item-48 at level 2: list_item: T Karlsson; F Hadizadeh; M Rask- ... n analyses. Arthritis Rheumatol (2023)
|
||||
item-49 at level 2: list_item: T Lawler; S Warren Andersen. Ser ... andomization studies. Nutrients (2023)
|
||||
item-50 at level 2: list_item: S Burgess; A S Butterworth; J R ... ic predictors. J Clin Epidemiol (2016)
|
||||
item-51 at level 2: list_item: C Sudlow; J Gallacher; N Allen. ... of middle and old age. PLoS Med (2015)
|
||||
item-52 at level 2: list_item: M S Lyon; S J Andrews; B Elswort ... summary statistics. Genome Biol (2021)
|
||||
item-53 at level 2: list_item: M I Kurki; J Karjalainen; P Palt ... ped isolated population. Nature (2023)
|
||||
item-54 at level 2: list_item: E Sanderson; M M Glymour; M V Ho ... zation. Nat Rev Methods Primers (2022)
|
||||
item-55 at level 2: list_item: J R Staley; J Blackshaw; M A Kam ... pe associations. Bioinformatics (2016)
|
||||
item-56 at level 2: list_item: M A Kamat; J A Blackshaw; R Youn ... pe associations. Bioinformatics (2019)
|
||||
item-57 at level 2: list_item: S Burgess; S G Thompson. Mendeli ... erence Using Genetic Variants. (2021)
|
||||
item-58 at level 2: list_item: A May; L H Schulte. Chronic migr ... s and treatment. Nat Rev Neurol (2016)
|
||||
item-59 at level 2: list_item: D W Dodick. Migraine. Lancet (2018)
|
||||
item-60 at level 2: list_item: A A Khorana; N Mackman; A Falang ... boembolism. Nat Rev Dis Primers (2022)
|
||||
item-61 at level 2: list_item: E J Bell; A R Folsom; P L Lutsey ... alysis. Diabetes Res Clin Pract (2016)
|
||||
item-62 at level 2: list_item: S Bhoelan; J Borjas Howard; V Ti ... study. Res Pract Thromb Haemost (2022)
|
||||
item-63 at level 2: list_item: V Pengo; G Denas. Antiphospholip ... boembolism. Semin Thromb Hemost (2023)
|
||||
item-64 at level 2: list_item: L Maitrot-Mantelet; M H Horellou ... tional French study. Thromb Res (2014)
|
||||
item-65 at level 2: list_item: G E Tietjen; S A Collins. Hypercoagulability and migraine. Headache (2018)
|
||||
item-66 at level 2: list_item: J Schwaiger; S Kiechl; H Stockne ... tients with migraine. Neurology (2008)
|
||||
item-67 at level 2: list_item: C D Bushnell; M Jamison; A H Jam ... n based case-control study. BMJ (2009)
|
||||
item-68 at level 2: list_item: W Y Ding; M B Protty; I G Davies ... al fibrillation. Cardiovasc Res (2022)
|
||||
item-69 at level 2: list_item: R M Gupta; J Hadaya; A Trehan. A ... othelin-1 gene expression. Cell (2017)
|
||||
item-70 at level 2: list_item: B Kumari; A Prabhakar; A Sahu. E ... lation. Clin Appl Thromb Hemost (2017)
|
||||
item-71 at level 2: list_item: Y Zhang; J Liu; W Jia. AGEs/RAGE ... thrombosis (DVT). Bioengineered (2021)
|
||||
item-72 at level 2: list_item: J Padilla; A J Carpenter; N A Da ... Am J Physiol Heart Circ Physiol (2018)
|
||||
item-73 at level 2: list_item: L Liu; C Jouve; J Sebastien Hulo ... th muscle cells. Cardiovasc Res (2022)
|
||||
item-74 at level 2: list_item: R Vormittag; P Bencur; C Ay. Low ... romboembolism. J Thromb Haemost (2007)
|
||||
item-75 at level 2: list_item: H Chun; J H Kurasawa; P Olivares ... plex contacts. J Thromb Haemost (2022)
|
2313
tests/data/groundtruth/docling_v2/10-1055-a-2313-0311.nxml.json
Normal file
2313
tests/data/groundtruth/docling_v2/10-1055-a-2313-0311.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
118
tests/data/groundtruth/docling_v2/10-1055-a-2313-0311.nxml.md
Normal file
118
tests/data/groundtruth/docling_v2/10-1055-a-2313-0311.nxml.md
Normal file
@ -0,0 +1,118 @@
|
||||
# Exploring the Two-Way Link between Migraines and Venous Thromboembolism: A Bidirectional Two-Sample Mendelian Randomization Study
|
||||
|
||||
Yang Wang; Vascular Surgery, Shandong Public Health Clinical Center, Shandong University, Jinan, China; Xiaofang Hu; Department of Neurology, Shandong Public Health Clinical Center, Shandong University, Jinan, China; Xiaoqing Wang; Interventional Department, Shandong Public Health Clinical Center, Shandong University, Jinan, China; Lili Li; Interventional Department, Shandong Public Health Clinical Center, Shandong University, Jinan, China; Peng Lou; Vascular Surgery, Shandong Public Health Clinical Center, Shandong University, Jinan, China; Zhaoxuan Liu; Vascular Surgery, Shandong First Medical University affiliated Central Hospital, Jinan, China
|
||||
|
||||
Background The objective of this study is to utilize Mendelian randomization to scrutinize the mutual causality between migraine and venous thromboembolism (VTE) thereby addressing the heterogeneity and inconsistency that were observed in prior observational studies concerning the potential interrelation of the two conditions. Methods Employing a bidirectional Mendelian randomization approach, the study explored the link between migraine and VTE, incorporating participants of European descent from a large-scale meta-analysis. An inverse-variance weighted (IVW) regression model, with random-effects, leveraging single nucleotide polymorphisms (SNPs) as instrumental variables was utilized to endorse the mutual causality between migraine and VTE. SNP heterogeneity was evaluated using Cochran's Q-test and to account for multiple testing, correction was implemented using the intercept of the MR-Egger method, and a leave-one-out analysis. Results The IVW model unveiled a statistically considerable causal link between migraine and the development of VTE (odds ratio [OR] = 96.155, 95% confidence interval [CI]: 4.342–2129.458, p = 0.004), implying that migraine poses a strong risk factor for VTE development. Conversely, both IVW and simple model outcomes indicated that VTE poses as a weaker risk factor for migraine (IVW OR = 1.002, 95% CI: 1.000–1.004, p = 0.016). The MR-Egger regression analysis denoted absence of evidence for genetic pleiotropy among the SNPs while the durability of our Mendelian randomization results was vouched by the leave-one-out sensitivity analysis. Conclusion The findings of this Mendelian randomization assessment provide substantiation for a reciprocal causative association between migraine and VTE within the European population.
|
||||
|
||||
## Introduction
|
||||
|
||||
Venous thromboembolism (VTE) encompasses both deep vein thrombosis and pulmonary embolism, 1 ranking third globally as a prevalent vascular disorder associated with mortality. 2 This increases the mortality risk for patients and compounds the financial burden on health care services. Hence, the ongoing evaluation and assessment of VTE risk in clinical settings are crucial.
|
||||
|
||||
Migraine, characterized by recurrent episodes of severe unilateral headaches accompanied by pulsating sensations and autonomic symptoms, affects approximately one billion individuals worldwide. 3 Several research studies indicate an increase in VTE incidence among migraine sufferers. 4 5 6 7 8 Hence, there is a significant need for further investigation to elucidate the causal relationship between VTE and migraines.
|
||||
|
||||
Mendelian randomization (MR) is a methodology that utilizes genetic variants as instrumental variables (IVs) to explore the causal association between a modifiable exposure and a disease outcome. 9 By leveraging the random allocation and fixed nature of an individual's alleles at conception, this approach helps alleviate concerns regarding reverse causality and environmental confounders commonly encountered in traditional epidemiological methods.
|
||||
|
||||
## Research Methodology
|
||||
|
||||
A rigorous bidirectional two-sample MR examination was implemented to probe the causal link between migraine and VTE risk, subsequent to a meticulous screening mechanism. For achieving credible estimations of MR causality, efficacious genetic variances serving as IVs must meet three central postulates: (I) relevance assumption, asserting that variations must demonstrate intimate association with the exposure element; (II) independence/exchangeability assumption, demanding no correlations be exhibited with any measured, unmeasured, or inconspicuous confounding elements germane to the researched correlation of interest; and (III) exclusion restriction assumption, maintaining that the variation affects the outcome exclusively through the exposure, devoid of alternative routes. 10 11 A single nucleotide polymorphism (SNP) refers to a genomic variant where a single nucleotide undergoes alteration at a specific locus within the DNA sequence. SNPs were employed as IVs in this study for estimating causal effects. The study's design is graphically portrayed in Fig. 1 , emphasizing the three fundamental postulates of MR. These postulates are of the utmost importance in affirming the validity of the MR examination and ensuring the reliability of the resultant causal inferences. 12
|
||||
|
||||
## Data Sources
|
||||
|
||||
Our SNPs are obtained from large-scale genome-wide association studies (GWAS) public databases. The exposure variable for this study was obtained from the largest migraine GWAS meta-analysis conducted by the IEU Open GWAS project, which can be accessed at https://gwas.mrcieu.ac.uk/datasets . 13 14 The outcome variable was derived from the largest VTE GWAS conducted by FinnGen, available at https://www.finngen.fi . 15 A comprehensive overview of the data sources used in our study can be found in Table 1 .
|
||||
|
||||
The variances in genetic variations and exposure distributions across diverse ethnicities could potentially result in spurious correlations between genetic variants and exposures. 16 Consequently, the migraine and VTE GWAS for this study were sourced from a homogeneous European populace to circumvent such inaccurate associations. It is crucial to highlight that the data harvested from public databases were current up to March 31, 2023. Given the public nature of all data utilized in our study, there was no necessity for further ethical approval.
|
||||
|
||||
## Filtering Criteria of IVs
|
||||
|
||||
To select appropriate SNPs as IVs, we followed standard assumptions of MR. First, we performed a screening process using the migraine GWAS summary data, applying a significance threshold of p < 5 × 10 −8 (Assumption I). To ensure the independence of SNPs and mitigate the effects of linkage disequilibrium, we set the linkage disequilibrium coefficient ( r 2 ) to 0.001 and restricted the width of the linkage disequilibrium region to 10,000 kb. PhenoScanner ( http://www.phenoscanner.medschl.cam.ac.uk/ ) serves as a versatile tool, enabling users to explore genetic variants, genes, and traits linked to a wide spectrum of phenotypes. 17 18 Utilizing PhenoScanner v2, we ruled out SNPs linked with potential confounding constituents and outcomes, thereby addressing assumptions II and III. Subsequently, we extracted the relevant SNPs from the VTE GWAS summary data, ensuring a minimum r 2 > 0.8 and replacing missing SNPs with highly linked SNPs. We excluded SNPs without replacement sites and palindromic SNPs and combined the information from both datasets. Finally, we excluded SNPs directly associated with VTE at a significance level of p < 5 × 10 −8 and prioritized IVs with an F-statistic [F-statistic = (β/SE)2] > 10 to minimize weak instrument bias. 19
|
||||
|
||||
## Results
|
||||
|
||||
In the present investigation, we capitalized on a bidirectional two-sample MR analysis in individuals of European descent to scrutinize the potential causative correlation between migraines and VTE risk. Our investigation implies a potential bidirectional pathogenic relationship between migraines and the risk of VTE, as supported by the specific analysis results detailed in Table 2 .
|
||||
|
||||
## Mendelian Randomization Analysis
|
||||
|
||||
During the IV screening process, it was identified that SNP r10908505 was associated with body mass index (BMI) in VTE. Considering the established association between BMI and VTE, 1 15 this violated Assumption III and the SNP was subsequently excluded. The VTE dataset ultimately consisted of 11 SNPs, with individual SNP F-statistics ranging from 29.76 to 96.77 (all >10), indicating a minimal potential for causal associations to be confounded by weak IV bias ( Supplementary Table S1 , available in the online version). The IVW model revealed that migraine was a statistically significant risk factor for the onset of VTE (odds ratio [OR] = 96.155, 95% confidence interval [CI]: 4.3422–129.458, p = 0.004) ( Table 2 , Fig. 2A ). The scatter plot ( Fig. 2B ) and funnel plot ( Fig. 2C ) of migraine demonstrated a symmetrical distribution of all included SNPs, suggesting a limited possibility of bias affecting the causal association. The Cochran's Q test, conducted on the MR-Egger regression and the IVW method, yielded statistics of 5.610 and 5.973 ( p > 0.05), indicating the absence of heterogeneity among the SNPs ( Supplementary Table S2 , available in the online version). These findings suggest a positive correlation between the strength of association between the IVs and migraine, satisfying the assumptions of IV analysis. The MR-Egger regression analysis showed no statistically significant difference from zero for the intercept term ( p = 0.5617), indicating the absence of genetic pleiotropy among the SNPs ( Supplementary Table S3 , available in the online version). Additionally, the leave-one-out analysis revealed that the inclusion or exclusion of individual SNPs did not substantially impact the estimated causal effects, demonstrating the robustness of the MR results obtained in our investigation ( Fig. 2D ).
|
||||
|
||||
## Reverse Mendelian Randomization Analysis
|
||||
|
||||
Upon screening for IVs in migraine patients, SNP rs6060308 was excluded due to its association with education 20 21 and violation of Assumption III. The final migraine dataset comprised 13 SNPs, with individual SNP F-statistics ranging from 30.60 to 354.34, all surpassing the threshold of 10 ( Supplementary Table S4 , available in the online version). Both the IVW and simple models supported VTE as a risk factor for migraine. The IVW analysis yielded an OR of 1.002 (95% CI: 1.000–1.004, p = 0.016), while the simple model yielded an OR of 1.003 (95% CI: 1.000–1.006, p = 0.047) ( Table 2 , Fig. 3A ). The scatter plot ( Fig. 3B ) and funnel plot ( Fig. 3C ) exhibited symmetrical distributions across all included SNPs, indicating minimal potential for biases affecting the causal association. Heterogeneity among SNPs was observed through the Cochran's Q test of the IVW method and MR-Egger regression, with Q statistics of 18.697 and 20.377, respectively, both with p < 0.05 ( Supplementary Table S2 , available in the online version). Therefore, careful consideration is necessary for the results obtained from the random-effects IVW method. MR-Egger regression analysis revealed a nonsignificant difference between the intercept term and zero ( p = 0.3655), suggesting the absence of genetic pleiotropy among the SNPs ( Supplementary Table S3 , available in the online version). Additionally, the leave-one-out analysis demonstrated that the inclusion or exclusion of individual SNPs had no substantial impact on the estimated causal effect ( Fig. 3D ).
|
||||
|
||||
## Discussion
|
||||
|
||||
VTE constitutes a grave health hazard to patients, necessitating rigorous clinical surveillance. Distinct from common VTE risk factors such as cancer, 22 diabetes, 23 lupus, 24 and antiphospholipid syndrome, 25 migraines remain absent from prevalent VTE guidelines or advisories. The MR findings from our research provide first-of-its-kind evidence of a causal nexus between migraines and VTE in individuals of European descent, signaling that migraines potently predispose individuals to VTE (IVW OR = 96.155, 95% CI: 4.342–2129.458), while VTE presents a weak risk factor for migraines (IVW OR = 1.002, 95% CI: 1.000–1.004). Given the robustness of the IVW analysis, the MR analysis is considered reliable.
|
||||
|
||||
Our MR analysis discloses a potential causal association between individuals suffering from migraines and VTE incidence, with a risk rate 96.155 times higher in comparison to nonmigraine sufferers. Previous observational endeavors investigating VTE risk amidst migraine patients have been scant and have yielded discordant outcomes, complicating the provision of clinical directives. 26 27 In a longitudinal inquiry with a 19-year follow-up, Adelborg et al discerned a heightened VTE risk in individuals afflicted with migraines. 4 Peng et al's prospective clinical study unveiled a more than double VTE risk increase in migraine patients during a 4-year follow-up. 5 Schwaiger et al's cohort study, incorporating 574 patients aged 55 to 94, observed a significant escalation in VTE risk among elderly individuals with migraines. 6 28 Bushnell et al uncovered a tripled VTE risk during pregnancy in migraine-affected women. 29 Although these studies validate a potential correlation between migraines and VTE, their persuasiveness is restricted due to other prominent VTE risk factors (such as advanced age and pregnancy) and contradicting findings in existing observational studies. For instance, Folsom et al observed no significant correlation between migraines and VTE risk in elderly individuals, contradicting Schwaiger's conclusion. 7 However, he clarified that the cohort incorporated in his study did not undergo rigorous neurological migraine diagnosis, possibly leading to confounding biases and generating findings that contradict other scholarly endeavors. 7 These contradictions originate from observational studies examining associations rather than causal relationships, invariably involving a confluence of various confounding factors. MR, leveraging SNPs as IVs to ascertain the causal link between migraines and VTE risk, can eliminate other confounding elements resulting in more reliable outcomes. Based on this finding, monitoring VTE risk among migraine patients in clinical practice is recommended.
|
||||
|
||||
Our endeavor seeks to offer a preliminary examination of the potential mechanisms underlying the interplay between migraines and VTE. The incidence of VTE habitually involves Virchow's triad, encompassing endothelial damage, venous stasis, and hypercoagulability. 30 On the genetic association front, the SNPs rs9349379 and rs11172113, acting as IVs for migraines, display relevance to the mechanisms underpinning VTE. Prior research earmarks the gene corresponding to rs9349379, PHACTR1 ( Supplementary Table S1 , available in the online version), as a catalyst for the upregulation of EDN1 . 31 Elevated EDN1 expression is associated with increased VTE susceptibility, 32 and EDN1 inhibition can diminish VTE incidence, 33 potentially through Endothelin 1-mediated vascular endothelial inflammation leading to thrombus formation. 34 The SNP rs11172113 corresponds to the gene LRP1 ( Supplementary Table S1 , available in the online version). 35 LRP1 can facilitate the upregulation of FVIII , culminating in an increase in plasma coagulation factor VIII, 36 thereby leading to heightened blood coagulability and an associated elevated VTE risk. 37 While various studies propose divergent mechanisms, they collectively signal that migraines can instigate a hypercoagulable state, thereby promoting the onset of VTE. The SNPs serving as IVs for VTE did not unveil any association with the onset of migraines. This corroborates our MR analysis outcomes, indicating that VTE is merely a weak risk factor for migraines.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1 Description of GWAS used for each phenotype
|
||||
|
||||
| Variable | Sample size | ID | Population | Database | Year |
|
||||
|------------|---------------|---------------|--------------|-----------------------|--------|
|
||||
| Migraine | 337159 | ukb-a-87 | European | IEU Open GWAS project | 2017 |
|
||||
| VTE | 218792 | finn-b-I9\_VTE | European | FinnGen | 2021 |
|
||||
|
||||
Table 2 Mendelian randomization regression causal association results
|
||||
|
||||
| Exposures | SNPs (no.) | Methods | β | SE | OR (95% CI) | p |
|
||||
|-------------|--------------|-------------|-------|-------|-------------------------|-------|
|
||||
| Migraine | 11 | IVW | 4.566 | 1.58 | 96.155 (4.342–2129.458) | 0.004 |
|
||||
| VTE | 12 | IVW | 0.002 | 0.001 | 1.002 (1.000–1.004); | 0.016 |
|
||||
| VTE | 12 | Simple mode | 0.003 | 0.001 | 1.003 (1.000–1.006) | 0.047 |
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1 This figure illustrates the research methodology for the bidirectional Mendelian randomization analysis concerning migraine and VTE. Assumption I: relevance assumption; Assumption II: independence/exchangeability assumption; Assumption III: exclusion restriction assumption.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2 This figure explores the correlation between migraine risk and VTE, validating the presence of heterogeneity and pleiotropy. (A) The forest plot displays individual IVs, with each point flanked by lines that depict the 95% confidence interval. The effect of SNPs on the exposure (migraine) is shown along thex-axis, whereas their impact on the outcome (VTE) is presented on they-axis. A fitted line reflects the Mendelian randomization analysis results. (B) A scatter plot visualizes each IV, with the SNP effects on both exposure and outcome similar to that of the forest plot. Again, a fitted line represents the Mendelian randomization results. (C) The funnel plot positions the coefficient βIVfrom the instrumental variable regression on thex-axis to demonstrate the association's strength, while the inverse of its standard error (1/SEIV†) on they-axis indicates the precision of this estimate. (D) A leave-one-out sensitivity analysis is shown on thex-axis, charting the estimated effects from the Mendelian randomization analysis. With each SNP associated with migraine successively excluded, the analysis recalculates the Mendelian randomization effect estimates, culminating with the “all” category that encompasses all considered SNPs. IV, instrumental variable; SNP, single nucleotide polymorphisms; VTE, venous thromboembolism; SE, standard error.†SE is the standard error of β.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3 (A–D) This figure presents the relationship between VTE risk and migraine, also verifying heterogeneity and pleiotropy through similar graphic representations as detailed forFig. 2, but with the exposure and outcome reversed—SNPs' effect on VTE and outcome on migraine. SNP, single nucleotide polymorphisms; VTE, venous thromboembolism.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- F Khan; T Tritschler; S R Kahn; M A Rodger. Venous thromboembolism. Lancet (2021)
|
||||
- J A Heit. Epidemiology of venous thromboembolism. Nat Rev Cardiol (2015)
|
||||
- . Headache Classification Committee of the International Headache Society (IHS) The International Classification of Headache Disorders, 3rd edition. Cephalalgia (2018)
|
||||
- K Adelborg; S K Szépligeti; L Holland-Bill. Migraine and risk of cardiovascular diseases: Danish population based matched cohort study. BMJ (2018)
|
||||
- K P Peng; Y T Chen; J L Fuh; C H Tang; S J Wang. Association between migraine and risk of venous thromboembolism: a nationwide cohort study. Headache (2016)
|
||||
- S Sacco; A Carolei. Burden of atherosclerosis and risk of venous thromboembolism in patients with migraine. Neurology (2009)
|
||||
- A R Folsom; P L Lutsey; J R Misialek; M Cushman. A prospective study of migraine history and venous thromboembolism in older adults. Res Pract Thromb Haemost (2019)
|
||||
- I Y Elgendy; S E Nadeau; C N Bairey Merz; C J Pepine. Migraine headache: an under-appreciated risk factor for cardiovascular disease in women. J Am Heart Assoc (2019)
|
||||
- C A Emdin; A V Khera; S Kathiresan. Mendelian randomization. JAMA (2017)
|
||||
- T Karlsson; F Hadizadeh; M Rask-Andersen; Å Johansson; W E Ek. Body mass index and the risk of rheumatic disease: linear and nonlinear Mendelian randomization analyses. Arthritis Rheumatol (2023)
|
||||
- T Lawler; S Warren Andersen. Serum 25-hydroxyvitamin D and cancer risk: a systematic review of mendelian randomization studies. Nutrients (2023)
|
||||
- S Burgess; A S Butterworth; J R Thompson. Beyond Mendelian randomization: how to interpret evidence of shared genetic predictors. J Clin Epidemiol (2016)
|
||||
- C Sudlow; J Gallacher; N Allen. UK biobank: an open access resource for identifying the causes of a wide range of complex diseases of middle and old age. PLoS Med (2015)
|
||||
- M S Lyon; S J Andrews; B Elsworth; T R Gaunt; G Hemani; E Marcora. The variant call format provides efficient and robust storage of GWAS summary statistics. Genome Biol (2021)
|
||||
- M I Kurki; J Karjalainen; P Palta. FinnGen provides genetic insights from a well-phenotyped isolated population. Nature (2023)
|
||||
- E Sanderson; M M Glymour; M V Holmes. Mendelian randomization. Nat Rev Methods Primers (2022)
|
||||
- J R Staley; J Blackshaw; M A Kamat. PhenoScanner: a database of human genotype-phenotype associations. Bioinformatics (2016)
|
||||
- M A Kamat; J A Blackshaw; R Young. PhenoScanner V2: an expanded tool for searching human genotype-phenotype associations. Bioinformatics (2019)
|
||||
- S Burgess; S G Thompson. Mendelian Randomization: Methods for Causal Inference Using Genetic Variants. (2021)
|
||||
- A May; L H Schulte. Chronic migraine: risk factors, mechanisms and treatment. Nat Rev Neurol (2016)
|
||||
- D W Dodick. Migraine. Lancet (2018)
|
||||
- A A Khorana; N Mackman; A Falanga. Cancer-associated venous thromboembolism. Nat Rev Dis Primers (2022)
|
||||
- E J Bell; A R Folsom; P L Lutsey. Diabetes mellitus and venous thromboembolism: a systematic review and meta-analysis. Diabetes Res Clin Pract (2016)
|
||||
- S Bhoelan; J Borjas Howard; V Tichelaar. Recurrence risk of venous thromboembolism associated with systemic lupus erythematosus: a retrospective cohort study. Res Pract Thromb Haemost (2022)
|
||||
- V Pengo; G Denas. Antiphospholipid syndrome in patients with venous thromboembolism. Semin Thromb Hemost (2023)
|
||||
- L Maitrot-Mantelet; M H Horellou; H Massiou; J Conard; A Gompel; G Plu-Bureau. Should women suffering from migraine with aura be screened for biological thrombophilia?: results from a cross-sectional French study. Thromb Res (2014)
|
||||
- G E Tietjen; S A Collins. Hypercoagulability and migraine. Headache (2018)
|
||||
- J Schwaiger; S Kiechl; H Stockner. Burden of atherosclerosis and risk of venous thromboembolism in patients with migraine. Neurology (2008)
|
||||
- C D Bushnell; M Jamison; A H James. Migraines during pregnancy linked to stroke and vascular diseases: US population based case-control study. BMJ (2009)
|
||||
- W Y Ding; M B Protty; I G Davies; G YH Lip. Relationship between lipoproteins, thrombosis, and atrial fibrillation. Cardiovasc Res (2022)
|
||||
- R M Gupta; J Hadaya; A Trehan. A genetic variant associated with five vascular diseases is a distal regulator of endothelin-1 gene expression. Cell (2017)
|
||||
- B Kumari; A Prabhakar; A Sahu. Endothelin-1 gene polymorphism and its level predict the risk of venous thromboembolism in male indian population. Clin Appl Thromb Hemost (2017)
|
||||
- Y Zhang; J Liu; W Jia. AGEs/RAGE blockade downregulates Endothenin-1 (ET-1), mitigating Human Umbilical Vein Endothelial Cells (HUVEC) injury in deep vein thrombosis (DVT). Bioengineered (2021)
|
||||
- J Padilla; A J Carpenter; N A Das. TRAF3IP2 mediates high glucose-induced endothelin-1 production as well as endothelin-1-induced inflammation in endothelial cells. Am J Physiol Heart Circ Physiol (2018)
|
||||
- L Liu; C Jouve; J Sebastien Hulot; A Georges; N Bouatia-Naji. Epigenetic regulation at LRP1 risk locus for cardiovascular diseases and assessment of cellular function in hiPSC derived smooth muscle cells. Cardiovasc Res (2022)
|
||||
- R Vormittag; P Bencur; C Ay. Low-density lipoprotein receptor-related protein 1 polymorphism 663 C > T affects clotting factor VIII activity and increases the risk of venous thromboembolism. J Thromb Haemost (2007)
|
||||
- H Chun; J H Kurasawa; P Olivares. Characterization of interaction between blood coagulation factor VIII and LRP1 suggests dynamic binding by alternating complex contacts. J Thromb Haemost (2022)
|
@ -0,0 +1,124 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Differential Effects of Erythrop ... xpression on Venous Thrombosis in Mice
|
||||
item-2 at level 1: paragraph: Sven Stockhausen; Medizinische K ... ximilians-Universität, Munich, Germany
|
||||
item-3 at level 1: text: Background Deep vein thrombosis ... and potential therapeutic strategies.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Red blood cells (RBCs) are the p ... geted prevention and treatment of DVT.
|
||||
item-6 at level 2: text: The mechanism of RBC-mediated DV ... DVT has not been conclusively proven.
|
||||
item-7 at level 2: text: In this project we used a transg ... so identified in this mouse strain. 15
|
||||
item-8 at level 2: text: The spleen is responsible for RB ... DVT in vivo remains unclear. 20 25 26
|
||||
item-9 at level 1: section_header: Mouse Model
|
||||
item-10 at level 2: text: C57BL/6 mice were obtained from ... nich) and were authorized accordingly.
|
||||
item-11 at level 1: section_header: Statistics
|
||||
item-12 at level 2: text: Statistical analysis was conduct ... re compared using the chi-square test.
|
||||
item-13 at level 1: section_header: Chronic EPO Overproduction Leads to Increased DVT in Mice
|
||||
item-14 at level 2: text: To investigate the impact of chr ... ailable in the online version]). 28 29
|
||||
item-15 at level 2: text: Based on clinical observations i ... L [available in the online version]).
|
||||
item-16 at level 1: section_header: High RBC Count Leads to a Decrea ... elet Accumulation in Venous Thrombosis
|
||||
item-17 at level 2: text: Having observed a correlation be ... y thinner fibrin fibers ( Fig. 3A-C ).
|
||||
item-18 at level 2: text: To quantify platelet accumulatio ... from EPO transgenic mice ( Fig. 2C ).
|
||||
item-19 at level 2: text: As mentioned previously, inflamm ... brinogen and platelets were decreased.
|
||||
item-20 at level 1: section_header: Short-Term Administration of EPO Does Not Foster DVT
|
||||
item-21 at level 2: text: Due to the significant impact of ... G [available in the online version]).
|
||||
item-22 at level 2: text: To further investigate the under ... unchanged after 2 weeks of treatment.
|
||||
item-23 at level 2: text: To analyze the impact of 2-week ... ollowing EPO treatment ( Fig. 3D, E ).
|
||||
item-24 at level 1: section_header: Splenectomy Does Not Affect Venous Thrombus Formation
|
||||
item-25 at level 2: text: As the data suggested a qualitat ... [available in the online version]). 13
|
||||
item-26 at level 2: text: To investigate the role of splen ... obtained from nonsplenectomized mice.
|
||||
item-27 at level 2: text: Finally, we analyzed the impact ... of enhanced or normal erythropoiesis.
|
||||
item-28 at level 1: section_header: Discussion
|
||||
item-29 at level 2: text: Here, we present evidence for a ... ouse model through chronic hypoxia. 37
|
||||
item-30 at level 2: text: In our analyses, we observed tha ... ing to a 70% reduction in lifespan. 15
|
||||
item-31 at level 2: text: During the ageing process, RBCs ... easing the risk of DVT formation. 5 71
|
||||
item-32 at level 2: text: Clearance of RBCs primarily occu ... bsence of the spleen after removal. 15
|
||||
item-33 at level 2: text: Besides their activating effect ... subjected to short-term EPO injection.
|
||||
item-34 at level 1: section_header: Figures
|
||||
item-36 at level 1: picture
|
||||
item-36 at level 2: caption: Fig. 1 EPO-overexpressing mice experience an increased incidence of DVT formation. (A) Comparison of RBC count between EPO-overexpressing Tg(EPO) mice (n = 12) and control (WT) mice (n = 13). (B) Comparison of platelet count between EPO-overexpressing Tg(EPO) (n = 7) mice and control (WT) mice (n = 5). (C) Comparison of thrombus weight between Tg(EPO) mice (n = 9) and WT (n = 10); mean age in the Tg(EPO) group: 19.8 weeks; mean age in the WT group: 20.1 weeks. (D) Comparison of thrombus incidence between Tg(EPO) mice (n = 9) and WT mice (n = 10); NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; RBC, red blood cell; WT, wild type.
|
||||
item-38 at level 1: picture
|
||||
item-38 at level 2: caption: Fig. 2 Chronic overproduction of EPO in mice leads to a decrease in the accumulation of classical drivers of DVT formation, including platelets, neutrophils, and fibrinogen. (A) The proportion of RBC-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (n = 4) was compared to control (WT) (n = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (B) The proportion of fibrinogen-covered area in the thrombi of EPO- overexpressing Tg(EPO) mice (n = 3) was compared to control (WT) (n = 3) using immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (C) The proportion of platelet-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (n = 3) was compared to control (WT) (n = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (D) Quantification of neutrophils was performed by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction in EPO-overexpressing Tg(EPO) mice (n = 3) compared to control (WT) (n = 3). (E) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), CD42b in green (platelets), and Hoechst in blue (DNA). The merged image is on the left, and the single channel image is on the right. Scale bar: 50 µm. (F) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), fibrinogen in green, and Hoechst in blue (DNA); the merged image is on the left, and single-channel images are on the right. Scale bar: 50 µm.; NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
item-40 at level 1: picture
|
||||
item-40 at level 2: caption: Fig. 3 The interaction of RBC with fibrinogen leads to the formation of a branched fibrin structure. (A) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) was compared to control (WT) for fibrinogen (green). Scare bar: 50 µm. (B) High-resolution confocal images of immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) compared to control (WT) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. (C) The mean diameter of 2,141 fibrin fibers was measured in cross-sections of thrombi from Tg(EPO) mice (left), and compared to 5,238 fibrin fibers of WT thrombi. (D) The mean diameter of 3,797 fibrin fibers was measured in two cross-sections of thrombi from 2-week EPO-injected mice (left), and compared to 10,920 fibrin fibers of three cross-sections from control (2-week NaCl-injected mice). (E) High-resolution confocal images of immunofluorescence staining of two cross-sections of the IVC 48 hours after flow reduction from 2-week EPO-injected mice (left) were compared to control (2 week NaCl-injected mice) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
item-42 at level 1: picture
|
||||
item-42 at level 2: caption: Fig. 4 Two-week EPO injection leads to thrombocytopenia without an impact on the bone marrow. (A) RBC count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (n = 10) was compared to control (6 × 30 µL NaCl injection) (n = 9). (B) Platelet count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (n = 10) was compared to control (6 × 30 µL NaCl injection) (n = 10). (C) Area of RBC-positive area in the bone marrow of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 4) was compared to control (6 × 30 µL NaCl injection) (n = 4). (D) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) was compared to NaCl injection (bottom) stained for TER119 (violet) and Hoechst (white). Scale bar: 100 µm. (E) Number of megakaryocyte count in the bone marrow of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 4) was compared to control (6 × 30 µL NaCl injection) (n = 4). (F) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) compared to NaCl injection (bottom) stained for CD41 (violet) and Hoechst (white). Scale bar: 100 µm. (G) Platelet large cell ratio in peripheral blood of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) compared to control (6 × 30 µL NaCl injection) (n = 9). (H) Thrombus weight of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) and NaCl-injected control mice (n = 10). (I) Thrombus incidence of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) and NaCl-injected control mice (n = 10). NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. EPO, erythropoietin; RBC, red blood cell.
|
||||
item-44 at level 1: picture
|
||||
item-44 at level 2: caption: Fig. 5 Splenectomy does not affect the blood count as well as DVT formation. (A) WBC count in C57Bl/6J mice without treatment (n = 5), 48 hours after induction of DVT (n = 7), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (B) Platelet count in C57Bl/6J mice without treatment (n = 6), 48 hours after induction of DVT (n = 6), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (C) RBC count in C57Bl/6J mice without treatment (n = 6), 48 hours after induction of DVT (n = 6), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (D) Thrombus weight in C57Bl6 wild-type mice without splenectomy (n = 6) and with splenectomy (n = 6) (E) Thrombus incidence in C57Bl/6J wild-type mice without splenectomy (n = 6) and with splenectomy (n = 6). (F) Thrombus weight in EPO-overexpressing Tg(EPO) mice without splenectomy (n = 9) and with splenectomy (n = 6) compared to control WT mice without splenectomy (n = 10) and with splenectomy (n = 11). (G) Thrombus incidence in EPO-overexpressing Tg(EPO) mice without splenectomy (n = 9) and with splenectomy (n = 6) compared to control WT mice without splenectomy (n = 10) and with splenectomy (n = 11). NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; RBC, red blood cell; WT, wild type.
|
||||
item-45 at level 1: section_header: References
|
||||
item-46 at level 1: list: group list
|
||||
item-47 at level 2: list_item: G Ramsey; P F Lindholm. Thrombos ... ansfusions. Semin Thromb Hemost (2019)
|
||||
item-48 at level 2: list_item: M A Kumar; T A Boland; M Baiou. ... noid hemorrhage. Neurocrit Care (2014)
|
||||
item-49 at level 2: list_item: R Goel; E U Patel; M M Cushing. ... th American Registry. JAMA Surg (2018)
|
||||
item-50 at level 2: list_item: C Wang; I Le Ray; B Lee; A Wikma ... venous thromboembolism. Sci Rep (2019)
|
||||
item-51 at level 2: list_item: B S Donahue. Red cell transfusio ... ic risk in children. Pediatrics (2020)
|
||||
item-52 at level 2: list_item: M Dicato. Venous thromboembolic ... g agents: an update. Oncologist (2008)
|
||||
item-53 at level 2: list_item: C L Bennett; S M Silver; B Djulb ... cancer-associated anemia. JAMA (2008)
|
||||
item-54 at level 2: list_item: E Chievitz; T Thiede. Complicati ... ycythaemia vera. Acta Med Scand (1962)
|
||||
item-55 at level 2: list_item: V R Gordeuk; J T Prchal. Vascula ... lycythemia. Semin Thromb Hemost (2006)
|
||||
item-56 at level 2: list_item: S Ballestri; E Romagnoli; D Ario ... m: a narrative review. Adv Ther (2023)
|
||||
item-57 at level 2: list_item: M L von Brühl; K Stark; A Steinh ... osis in mice in vivo. J Exp Med (2012)
|
||||
item-58 at level 2: list_item: G D Lowe; A J Lee; A Rumley; J F ... rgh Artery Study. Br J Haematol (1997)
|
||||
item-59 at level 2: list_item: J Vogel; I Kiessling; K Heinicke ... gulating blood viscosity. Blood (2003)
|
||||
item-60 at level 2: list_item: F T Ruschitzka; R H Wenger; T St ... ietin. Proc Natl Acad Sci U S A (2000)
|
||||
item-61 at level 2: list_item: A Bogdanova; D Mihov; H Lutz; B ... xpressing erythropoietin. Blood (2007)
|
||||
item-62 at level 2: list_item: R E Mebius; G Kraal. Structure a ... of the spleen. Nat Rev Immunol (2005)
|
||||
item-63 at level 2: list_item: M A Boxer; J Braun; L Ellman. Th ... ctomy thrombocytosis. Arch Surg (1978)
|
||||
item-64 at level 2: list_item: P N Khan; R J Nair; J Olivares; ... ytosis. Proc Bayl Univ Med Cent (2009)
|
||||
item-65 at level 2: list_item: R W Thomsen; W M Schoonen; D K F ... cohort study. J Thromb Haemost (2010)
|
||||
item-66 at level 2: list_item: G J Kato. Vascular complications ... or hematologic disorders. Blood (2009)
|
||||
item-67 at level 2: list_item: E M Sewify; D Sayed; R F Abdel A ... bocytopenic purpura. Thromb Res (2013)
|
||||
item-68 at level 2: list_item: M K Frey; S Alias; M P Winter. S ... of thrombosis. J Am Heart Assoc (2014)
|
||||
item-69 at level 2: list_item: D Bratosin; J Mazurier; J P Tiss ... acrophages. A review. Biochimie (1998)
|
||||
item-70 at level 2: list_item: A T Taher; K M Musallam; M Karim ... ia intermedia. J Thromb Haemost (2010)
|
||||
item-71 at level 2: list_item: M Seki; N Arashiki; Y Takakuwa; ... nt erythrocytes. J Cell Mol Med (2020)
|
||||
item-72 at level 2: list_item: M F Whelihan; K G Mann. The role ... thrombin generation. Thromb Res (2013)
|
||||
item-73 at level 2: list_item: T Frietsch; M H Maurer; J Vogel; ... tosis. J Cereb Blood Flow Metab (2007)
|
||||
item-74 at level 2: list_item: O Mitchell; D M Feldman; M Diako ... hronic liver disease. Hepat Med (2016)
|
||||
item-75 at level 2: list_item: Y Lv; W Y Lau; Y Li. Hyperspleni ... nd current status. Exp Ther Med (2016)
|
||||
item-76 at level 2: list_item: K F Wagner; D M Katschinski; J H ... xpressing erythropoietin. Blood (2001)
|
||||
item-77 at level 2: list_item: C Klatt; I Krüger; S Zey. Platel ... t for thrombosis. J Clin Invest (2018)
|
||||
item-78 at level 2: list_item: J Shibata; J Hasegawa; H J Sieme ... uences of erythrocytosis. Blood (2003)
|
||||
item-79 at level 2: list_item: E Babu; D Basu. Platelet large c ... unts. Indian J Pathol Microbiol (2004)
|
||||
item-80 at level 2: list_item: F Formenti; P A Beer; Q P Croft. ... n-of-function mutation. FASEB J (2011)
|
||||
item-81 at level 2: list_item: H M Ashraf; A Javed; S Ashraf. P ... mia. J Coll Physicians Surg Pak (2006)
|
||||
item-82 at level 2: list_item: D P Smallman; C M McBratney; C H ... and Military Academies. Mil Med (2011)
|
||||
item-83 at level 2: list_item: M Li; X Tang; Z Liao. Hypoxia an ... ability at high altitude. Blood (2022)
|
||||
item-84 at level 2: list_item: T P McDonald; R E Clift; M B Cot ... thrombocytopenia in mice. Blood (1992)
|
||||
item-85 at level 2: list_item: X Jaïs; V Ioos; C Jardim. Splene ... pulmonary hypertension. Thorax (2005)
|
||||
item-86 at level 2: list_item: J M Watters; C N Sambasivan; K Z ... e state after trauma. Am J Surg (2010)
|
||||
item-87 at level 2: list_item: S Visudhiphan; K Ketsa-Ard; A Pi ... boembolism. Biomed Pharmacother (1985)
|
||||
item-88 at level 2: list_item: T P McDonald; M B Cottrell; R E ... production in mice. Exp Hematol (1987)
|
||||
item-89 at level 2: list_item: Y Shikama; T Ishibashi; H Kimura ... is in vivo in mice. Exp Hematol (1992)
|
||||
item-90 at level 2: list_item: C W Jackson; C C Edwards. Biphas ... ypobaric hypoxia. Br J Haematol (1977)
|
||||
item-91 at level 2: list_item: T P McDonald. Platelet productio ... ansfused mice. Scand J Haematol (1978)
|
||||
item-92 at level 2: list_item: Z Rolović; N Basara; L Biljanovi ... normobaric hypoxia. Exp Hematol (1990)
|
||||
item-93 at level 2: list_item: R F Wolf; J Peng; P Friese; L S ... atelets in dogs. Thromb Haemost (1997)
|
||||
item-94 at level 2: list_item: J K Fraser; A S Tan; F K Lin; M ... use megakaryocytes. Exp Hematol (1989)
|
||||
item-95 at level 2: list_item: H Sasaki; Y Hirabayashi; T Ishib ... ion of receptor mRNAs. Leuk Res (1995)
|
||||
item-96 at level 2: list_item: R D McBane; C Gonzalez; D O Hodg ... thrombi. J Thromb Thrombolysis (2014)
|
||||
item-97 at level 2: list_item: M Buttarello; G Mezzapelle; F Fr ... limitations. Int J Lab Hematol (2020)
|
||||
item-98 at level 2: list_item: S Guthikonda; C L Alviar; M Vadu ... tery disease. J Am Coll Cardiol (2008)
|
||||
item-99 at level 2: list_item: M S Goel; S L Diamond. Adhesion ... polymerized from plasma. Blood (2002)
|
||||
item-100 at level 2: list_item: P Hermand; P Gane; M Huet. Red c ... IIbbeta 3 integrin. J Biol Chem (2003)
|
||||
item-101 at level 2: list_item: A Orbach; O Zelig; S Yedgar; G B ... ragility. Transfus Med Hemother (2017)
|
||||
item-102 at level 2: list_item: C C Helms; M Marvel; W Zhao. Mec ... et activation. J Thromb Haemost (2013)
|
||||
item-103 at level 2: list_item: J Villagra; S Shiva; L A Hunter; ... by cell-free hemoglobin. Blood (2007)
|
||||
item-104 at level 2: list_item: S Gambaryan; H Subramanian; L Ke ... O synthesis. Cell Commun Signal (2016)
|
||||
item-105 at level 2: list_item: S Krauss. Haptoglobin metabolism in polycythemia vera. Blood (1969)
|
||||
item-106 at level 2: list_item: A Vignoli; S Gamba; P EJ van der ... a vera patients. Blood Transfus (2022)
|
||||
item-107 at level 2: list_item: J H Lawrence. The control of pol ... of 172 patients. J Am Med Assoc (1949)
|
||||
item-108 at level 2: list_item: T C Pearson; G Wetherley-Mein. V ... iferative polycythaemia. Lancet (1978)
|
||||
item-109 at level 2: list_item: J F Fazekas; D Nelson. Cerebral ... hemia vera. AMA Arch Intern Med (1956)
|
||||
item-110 at level 2: list_item: D J Thomas; J Marshall; R W Russ ... ebral blood-flow in man. Lancet (1977)
|
||||
item-111 at level 2: list_item: A D'Emilio; R Battista; E Dini. ... on and busulphan. Br J Haematol (1987)
|
||||
item-112 at level 2: list_item: J E Taylor; I S Henderson; W K S ... haemodialysis patients. Lancet (1991)
|
||||
item-113 at level 2: list_item: J J Zwaginga; M J IJsseldijk; P ... y uremic plasma. Thromb Haemost (1991)
|
||||
item-114 at level 2: list_item: F Fabris; I Cordiano; M L Randi. ... haemodialysis. Pediatr Nephrol (1991)
|
||||
item-115 at level 2: list_item: T Akizawa; E Kinugasa; T Kitaoka ... emodialysis patients. Nephron J (1991)
|
||||
item-116 at level 2: list_item: G Viganò; A Benigni; D Mendogni; ... remic bleeding. Am J Kidney Dis (1991)
|
||||
item-117 at level 2: list_item: J A Rios; J Hambleton; M Viele. ... tivation treatment. Transfusion (2006)
|
||||
item-118 at level 2: list_item: S Khandelwal; N van Rooijen; R K ... om the circulation. Transfusion (2007)
|
||||
item-119 at level 2: list_item: G J Bosman; J M Werre; F L Wille ... s for transfusion. Transfus Med (2008)
|
||||
item-120 at level 2: list_item: W H Crosby. Normal functions of ... ed blood cells: a review. Blood (1959)
|
||||
item-121 at level 2: list_item: R Varin; S Mirshahi; P Mirshahi. ... cacy of rivaroxaban. Thromb Res (2013)
|
||||
item-122 at level 2: list_item: F A Carvalho; S Connell; G Milte ... on human erythrocytes. ACS Nano (2010)
|
||||
item-123 at level 2: list_item: N Wohner; P Sótonyi; R Machovich ... . Arterioscler Thromb Vasc Biol (2011)
|
1955
tests/data/groundtruth/docling_v2/10-1055-s-0043-1775965.nxml.json
Normal file
1955
tests/data/groundtruth/docling_v2/10-1055-s-0043-1775965.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
167
tests/data/groundtruth/docling_v2/10-1055-s-0043-1775965.nxml.md
Normal file
167
tests/data/groundtruth/docling_v2/10-1055-s-0043-1775965.nxml.md
Normal file
@ -0,0 +1,167 @@
|
||||
# Differential Effects of Erythropoietin Administration and Overexpression on Venous Thrombosis in Mice
|
||||
|
||||
Sven Stockhausen; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Badr Kilani; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Irene Schubert; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Anna-Lena Steinsiek; Department of cardiology, German Heart Center, Munich, Germany.; Sue Chandraratne; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Franziska Wendler; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Luke Eivers; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Marie-Luise von Brühl; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Steffen Massberg; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany; Ilka Ott; Department of cardiology, German Heart Center, Munich, Germany.; Konstantin Stark; Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany; German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany; Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany
|
||||
|
||||
Background Deep vein thrombosis (DVT) is a common condition associated with significant mortality due to pulmonary embolism. Despite advanced prevention and anticoagulation therapy, the incidence of venous thromboembolism remains unchanged. Individuals with elevated hematocrit and/or excessively high erythropoietin (EPO) serum levels are particularly susceptible to DVT formation. We investigated the influence of short-term EPO administration compared to chronic EPO overproduction on DVT development. Additionally, we examined the role of the spleen in this context and assessed its impact on thrombus composition. Methods We induced ligation of the caudal vena cava (VCC) in EPO-overproducing Tg(EPO) mice as well as wildtype mice treated with EPO for two weeks, both with and without splenectomy. The effect on platelet circulation time was evaluated through FACS analysis, and thrombus composition was analyzed using immunohistology. Results We present evidence for an elevated thrombogenic phenotype resulting from chronic EPO overproduction, achieved by combining an EPO-overexpressing mouse model with experimental DVT induction. This increased thrombotic state is largely independent of traditional contributors to DVT, such as neutrophils and platelets. Notably, the pronounced prothrombotic effect of red blood cells (RBCs) only manifests during chronic EPO overproduction and is not influenced by splenic RBC clearance, as demonstrated by splenectomy. In contrast, short-term EPO treatment does not induce thrombogenesis in mice. Consequently, our findings support the existence of a differential thrombogenic effect between chronic enhanced erythropoiesis and exogenous EPO administration. Conclusion Chronic EPO overproduction significantly increases the risk of DVT, while short-term EPO treatment does not. These findings underscore the importance of considering EPO-related factors in DVT risk assessment and potential therapeutic strategies.
|
||||
|
||||
## Introduction
|
||||
|
||||
Red blood cells (RBCs) are the primary carriers oxygen and carbon dioxide in all mammals. Low hemoglobin concentrations in the blood can cause severe oxygen deficiency, leading to ischemia in organs and tissues. At the same time, numerous clinical observations identified elevated hemoglobin levels as an independent risk factor for deep vein thrombosis (DVT) formation. This applies to overproduction of RBCs due to erythropoietin (EPO) administration, as well as foreign blood transfusions. 1 2 3 4 5 6 7 This is also evident in illnesses which exhibit an excessive RBC production such as polycythemia vera or Chuvash polycythemia where a significant increase in thromboembolic complications has been reported. 8 9 In such cases, oral or parenteral anticoagulants are effective preventive measures. However, their use entails significant drawbacks in the form of elevated bleeding risks, which can lead to severe complications. 10 Therefore, it is crucial to identify patients at risk and to expand our understanding of the pathophysiology to enable a more targeted prevention and treatment of DVT.
|
||||
|
||||
The mechanism of RBC-mediated DVT formation so far is not fully understood. Essentially, DVT formation is triggered by sterile inflammation. 11 Neutrophils and monocytes deliver tissue factor (TF) to the site of thrombus formation creating a procoagulant environment. 11 However, the contribution of leukocytes to DVT formation may vary depending on the underlying disease and a leukocyte-recruiting property of RBCs in DVT has not been conclusively proven.
|
||||
|
||||
In this project we used a transgenic mouse model overexpressing the human EPO gene in an oxygen-independent manner. In these mice the hematocrit is chronically elevated, which leads to several changes. RBCs represent, volumetrically, the largest cellular component in the peripheral blood, thus influencing the viscosity of the blood, fostering cardiovascular events like stroke or ischemic heart disease. 12 RBCs from Tg(EPO) mice show increased flexibility which in turn reduces the viscosity, and protects from thrombus formation. 13 Additionally, excessive NO production has been described. In Tg(EPO) mice, the vasodilative effect of extensive NO release is partly compensated by endothelin. 14 A reduced lifespan of RBCs was also identified in this mouse strain. 15
|
||||
|
||||
The spleen is responsible for RBC clearance, which acts as gatekeeper of the state, age, and number of RBCs. 16 The loss of function of the spleen, due to removal, leads to changes in the blood count, the most striking of which is the transient thrombocytosis observed after splenectomy. 17 Even though the platelet count normalizes within weeks, the risk of thromboembolism remains persistently high; however, the mechanism behind this prothrombotic state is unclear. 18 19 20 Previous studies reveal an increase in platelet- and (to a lesser extent) RBC-derived microvesicles in splenectomized patients, which could indicate changes in their life cycle or activation state. 21 At the same time, the levels of negatively charged prothrombotic phospholipids, like phosphatidylserine, in pulmonary embolism increase after splenectomy. 22 23 24 Among others, RBCs can contribute to phosphatidylserine exposure. 25 Old, rigid RBCs with modified phospholipid exposure promote thrombus formation; however, their relevance for DVT in vivo remains unclear. 20 25 26
|
||||
|
||||
## Mouse Model
|
||||
|
||||
C57BL/6 mice were obtained from Jackson Laboratory. Human EPO-overexpressing mice were generated as previously described. 14 TgN(PDGFBEPO)321Zbz consists of a transgenic mouse line, TgN(PDGFBEPO)321Zbz, expresses human EPO cDNA, and was initially reported by Ruschitzka et al, 14 subsequently named Tg(EPO). The expression is regulated by the platelet-derived growth factor promotor. We used the corresponding WT littermate controls named as WT. 27 Sex- and age-matched groups were used for the experiments with an age limit ranging between 12 and 29 weeks. The mice were housed in a specific-pathogen-free environment in our animal facility. General anesthesia was induced using a mixture of inhaled isoflurane, intravenous fentanyl, medetomidine, and midazolam. All procedures performed on mice were conducted in accordance with local legislation for the protection of animals (Regierung von Oberbayern, Munich) and were authorized accordingly.
|
||||
|
||||
## Statistics
|
||||
|
||||
Statistical analysis was conducted using GraphPad Prism 5, employing a t -test. Based on clinical observations strongly suggesting an increase in thrombus formation in EPO overproducing mice, a one-sided t -test was performed. 8 9 The normal distribution of the data was confirmed using D'Agostino and Pearson omnibus normality testing. Thrombus incidences between groups were compared using the chi-square test.
|
||||
|
||||
## Chronic EPO Overproduction Leads to Increased DVT in Mice
|
||||
|
||||
To investigate the impact of chronic erythrocyte overproduction on DVT in mice, we analyzed EPO-overexpressing transgenic Tg(EPO) mice. As expected, this mouse strain exhibited a substantial increase in RBC count ( Fig. 1A ). Additionally, the RBC width coefficient and reticulocyte count were elevated, indicating enhanced RBC production ( Supplementary Fig. S1A, B [available in the online version]). In addition to influencing the RBC lineage, our analyses revealed a significant increase in white blood cell (WBC) count, primarily driven by elevated lymphocyte count ( Supplementary Fig. S1C, E [available in the online version]). However, neutrophils known as major contributors to venous thrombosis showed no significant changes in EPO transgenic mice, while platelet counts were significantly reduced ( Fig. 1B and Supplementary Fig. S1D [available in the online version]). Furthermore, autopsies of the animals confirmed the presence of splenomegaly ( Supplementary Fig. S1F [available in the online version]). 28 29
|
||||
|
||||
Based on clinical observations indicating a correlation between high EPO levels and increased incidence of DVT, we utilized an IVC stenosis model to evaluate venous thrombosis in EPO-overexpressing mice. 6 7 Our findings revealed a significant elevation in both the incidence and thrombus weight in Tg(EPO) mice compared to their WT littermates ( Fig. 1C, D ). To determine whether chronic EPO overproduction in transgenic mice affected cardiac function, we assessed parameters such as the left ventricular ejection fraction, fractional shortening, and heart rate, ruling out any alternations ( Supplementary Fig. S1G, H, J [available in the online version]), which aligns with previous publications. 30 Additionally, morphological parameters including left ventricular mass, left ventricular internal diameter end diastole, and inner ventricular end diastolic septum diameter were similar between Tg(EPO) and WT mice ( Supplementary Fig. S1I, K, L [available in the online version]).
|
||||
|
||||
## High RBC Count Leads to a Decrease in Platelet Accumulation in Venous Thrombosis
|
||||
|
||||
Having observed a correlation between high EPO and hematocrit levels with increased thrombus formation, our aim was to investigate the factors involved in triggering thrombus development through histologic analysis of thrombus composition. In Tg(EPO) mice, the elevated hematocrit levels led to enhanced RBC accumulation within the thrombus, as indicated by the Ter119-covered area measurement ( Fig. 2A ). Given the interaction between RBCs and platelets, which can initiate coagulation activation, we examined the distribution of fibrinogen in relation to RBCs and platelets within the thrombi. 31 Our findings revealed a close association between the fibrinogen signal and RBCs, as well as between the platelet signal and RBCs, indicating interactions among these three factors ( Fig. 2E, F ). However, we observed significantly lower fibrinogen coverage in thrombi from EPO transgenic mice ( Fig. 2B ). Furthermore, the structure of the fibrin meshwork exhibited an overall “looser” morphology with significantly thinner fibrin fibers ( Fig. 3A-C ).
|
||||
|
||||
To quantify platelet accumulation in thrombi, we analyzed the CD41-covered area in thrombi of both mouse strains. Consistent with the reduced platelet count in peripheral blood, platelet accumulation was also decreased in thrombi from EPO transgenic mice ( Fig. 2C ).
|
||||
|
||||
As mentioned previously, inflammation plays a fundamental role in DVT formation. Therefore, we conducted an analysis to quantify the presence of leukocytes in the thrombus material. Our investigation focused specifically on neutrophils, as they represent the predominant leukocyte population in peripheral blood. Despite observing normal neutrophil counts, we identified a significant reduction in neutrophil recruitment within thrombi from EPO transgenic mice ( Fig. 2D ). In summary, our findings indicate an isolated increase in the number of RBCs within venous thrombi of EPO transgenic mice, while the levels of fibrinogen and platelets were decreased.
|
||||
|
||||
## Short-Term Administration of EPO Does Not Foster DVT
|
||||
|
||||
Due to the significant impact of chronic EPO overproduction in Tg(EPO) mice on peripheral blood count and its detrimental consequences on DVT formation, we proceeded to analyze the effects of 2-week periodic EPO injections on blood count and subsequent DVT formation in WT mice. Within just 2 weeks, a significant increase of RBC and reticulocyte count in peripheral blood was observed ( Fig. 4A and Supplementary Fig. S2A [available in the online version]). Conversely, platelet count exhibited a notable decrease in EPO-treated mice ( Fig. 4B ). Unlike EPO-overexpressing mice, the leukocyte counts and their differentiation into granulocytes, lymphocytes, and monocytes showed no differences between EPO-treated and nontreated mice ( Supplementary Fig. S2B–E [available in the online version]). Autopsy analyses further revealed a significant enlargement and weight increase of the spleen in EPO-treated mice ( Supplementary Fig. S2F, G [available in the online version]).
|
||||
|
||||
To further investigate the underlying cause of thrombocytopenia in EPO-treated mice, we examined the bone marrow composition. Previous studies by Shibata et al demonstrated a reduction in megakaryocytes in Tg(EPO) mice. 32 Therefore, we analyzed the bone marrow composition after 2 weeks of EPO treatment. However, we found no difference in the TER119-covered area, indicating no significant alternation ( Fig. 4C, D ). Similarly, the megakaryocyte count in the bone marrow showed no changes compared to the control group ( Fig. 4E, F ,). In terms of platelet morphology, we observed an increased platelet large cell ratio in the EPO-treated group ( Fig. 4G ). This suggests an elevated production potential of megakaryocytes, as immature platelets tend to have larger cell volumes compared to mature platelets. 33 These findings indicate that our EPO administration protocol enhanced the synthesis capacity of bone marrow stem cells, resulting in augmented erythropoiesis. However, the cellular composition of the bone marrow remained unchanged after 2 weeks of treatment.
|
||||
|
||||
To analyze the impact of 2-week EPO treatment on DVT formation, we utilized the IVC stenosis model. Despite similar changes in blood count in Tg(EPO) mice or WT mice after EPO administration, we observed comparable venous thrombus formation between mice treated with EPO for 2 weeks and the control group treated with NaCl ( Fig. 4H, I ). Since we previously observed that only long-term elevation of EPO levels with supraphysiologic hematocrit leads to increased thrombus formation, our focus shifted toward identifying the factors triggering thrombus formation. Therefore, we conducted a histological analysis of thrombus composition. Given the significantly thinner fibrin fibers observed in thrombi from Tg(EPO) mice, we investigated whether similar morphological changes occurred in mice treated with EPO for 2 weeks. Interestingly, the histological examination of the thrombi revealed a comparable thinning of fibrin fibers following EPO treatment ( Fig. 3D, E ).
|
||||
|
||||
## Splenectomy Does Not Affect Venous Thrombus Formation
|
||||
|
||||
As the data suggested a qualitative change in RBCs in the context of EPO overproduction, we investigated whether splenic clearance of aged RBCs plays a critical role in the increased formation of DVT. In the spleen, aged and damaged RBCs are eliminated, ensuring the presence of young and flexible RBCs. 16 We examined the immediate impact of EPO on spleen morphology. Even a single injection of 300 IU EPO s.c. in mice resulted in a significant increase in spleen weight, despite no difference in blood count compared to the control group ( Supplementary Fig. S2F–H [available in the online version]). This striking phenotype was also observed in mice with chronic EPO overexpression ( Supplementary Fig. S1F [available in the online version]). 13
|
||||
|
||||
To investigate the role of splenic RBC clearance in DVT, we performed splenectomy 5 weeks prior to conducting the IVC stenosis model. Firstly, we analyzed the impact of splenectomy on blood cell counts in WT mice 5 weeks postsurgery. We observed an increase in granulocytes and lymphocytes after splenectomy ( Fig. 5A and Supplementary Fig. S3A, B [available in the online version]). Next, we examined the distribution of blood cells in response to DVT development. Similar to nonsplenectomized mice, we observed an increase in WBC count in the peripheral blood ( Fig. 5A ). Additionally, we noted a significant decrease in platelet count in splenectomized mice in response to thrombus development ( Fig. 5B ), which is consistent with the results obtained from nonsplenectomized mice.
|
||||
|
||||
Finally, we analyzed the impact of splenectomy on DVT formation in both WT mice and Tg(EPO) mice. Despite changes in blood cell counts and the effects on platelet removal, there was no difference in the incidence and thrombus weight in C57Bl/6 mice ( Fig. 5D, E ). Next, we examined EPO-overexpressing mice, which have been shown to have an increased risk of DVT formation. Despite significant splenomegaly, the incidence of DVT formation remained statistically unchanged after spleen removal ( Fig. 5F, G ). Therefore, splenectomy does not affect thrombus formation in the context of enhanced or normal erythropoiesis.
|
||||
|
||||
## Discussion
|
||||
|
||||
Here, we present evidence for a differential thrombotic effect of chronic EPO overproduction and short-term external EPO administration. Consistent with clinical observations, chronic overproduction of EPO is associated with an increased risk of DVT formation. This is similar to Chuvash polycythemia where the von-Hippel–Lindau mutation leads to chronic overproduction of hypoxia-induced factors and high EPO levels. 34 In addition to genetically altered EPO production, factors such as residence at high altitudes and naturally increasing EPO secretion also represent risk factors for venous thrombosis and pulmonary thromboembolism. 35 36 These conditions can be mimicked in a mouse model through chronic hypoxia. 37
|
||||
|
||||
In our analyses, we observed that short-term administration of EPO does not increase the risk of DVT, in contrast to chronic overproduction of EPO. However, changes in peripheral blood count in response to EPO occur relatively quickly, within 2 weeks of initiating therapy in mice. These changes include elevated levels of hemoglobin and thrombocytopenia, which are consistent with previous studies. 17 22 38 39 40 41 42 43 44 45 In the model of transgenic overexpressing EPO mice, there was an age-dependent progressive decrease in megakaryocyte count in the bone marrow. 32 A similar phenomenon can be observed in mice exposed to chronic hypoxia. 46 It is believed that competition between erythroid and platelet precursors in the stem cell population is responsible for this phenomenon. 38 Despite a similar decrease of peripheral platelet counts, we observed normal megakaryocyte counts in the bone marrow of mice injected with EPO for 2 weeks. We speculate that morphological changes in the bone marrow are long-term consequences of EPO administration. In peripheral blood, we observed a significant increase in the platelet large cell ratio in mice treated with EPO for 2 weeks. This is likely due to an elevated count of reticulated platelets, which has been previously observed in response to EPO treatment. 47 The presence of high levels of reticulated platelets indicates a high synthetic potential of megakaryocytes. Indeed, megakaryocytes possess high-affinity binding sites for EPO resulting in an increase in size, ploidy, and number of megakaryocytes in vitro. 48 49 Young, reticulated platelets are known risk factors for thrombosis, which may counterbalance the overall low platelet count in terms of thrombogenicity. 50 51 52 However, the significant increase in DVT observed in chronic EPO-overexpressing mice is likely attributed to qualitative changes in RBCs. There are several ways in which RBCs can interact with platelets and fibrin. The FAS-L-FAS-R interplay between RBCs and platelets has been shown to enhance DVT formation. 31 Additionally, interactions such as ICAM-4–α1bβ3 integrin and adhesion between RBCs and platelets mediated by GPIb and CD36 have been described. 53 54 As demonstrated in this study, the pronounced prothrombotic effect of RBCs only manifests after several weeks to months of EPO overproduction. Thus, we propose that RBC aging plays a role in this phenomenon. This is supported by the finding that RBCs in our Tg(EPO) mouse model exhibit characteristics of accelerated aging including decreased CD47 expression, leading to a 70% reduction in lifespan. 15
|
||||
|
||||
During the ageing process, RBCs not only display increasing amounts of procoagulant phosphatidylserine on their surface but also exhibit heightened osmotic and mechanical fragility, which is also observed in Tg(EPO) mice. 32 55 Fragile RBCs are prone to hemolysis, resulting in the release of ADP and free hemoglobin. Furthermore, hemoglobin directly or indirectly contributes to increased platelet activity, for instance, by forming complexes with nitric oxide (NO). 56 57 58 NO is essential for the survival of Tg(EPO) mice but dispensable for WT mice. 14 Consistent with this, patients with polycythemia vera exhibit platelet hypersensitivity despite normal platelet counts, while plasma haptoglobin concentration, a marker for hemolysis, is decreased. 59 60 61 62 63 64 65 Similarly, chronic subcutaneous EPO administration in hemodialysis patients leads to a prothrombotic phenotype similar to that of polycythemia vera patients. 66 67 68 69 70 Notably, concentrated RBC transfusions result in the rapid clearance of up to 30% of transfused erythrocytes within 24 hours due to their age, thus increasing the risk of DVT formation. 5 71
|
||||
|
||||
Clearance of RBCs primarily occurs in the spleen, where tissue-resident macrophages screen for surface markers such as CD47. 72 Subsequently, RBCs are phagocytosed before reaching day 120 of their lifespan. 73 The spleen plays a crucial role in maintaining the shape and membrane resilience of RBCs, acting as a guardian in this regard. 74 However, shortly after splenectomy, the loss of the organ significantly increases the risk of DVT formation. 20 In the long-term basis, we observed no difference in DVT formation after splenectomy, neither in WT mice nor in chronic EPO-overexpressing mice, despite the dramatic increase in macrophage-mediated RBC clearance in these mice. 15 Since RBC clearance occurs primarily in the spleen and liver in mice, we hypothesize that the liver is capable of adequately compensating for the absence of the spleen after removal. 15
|
||||
|
||||
Besides their activating effect on platelets, RBCs also directly impact the coagulation system. Previous data demonstrate that following TF activation, RBCs contribute to thrombin generation to a similar extent to platelets. 75 Furthermore, RBCs expose phosphatidylserine, which activates the contact pathway. 31 Notably, the coagulation system in Tg(EPO) mice exhibits normal activity in whole blood adjusted to a physiological hematocrit. 32 Additionally, RBCs express a receptor with properties similar to the α IIb β 3 integrin enabling their interaction with fibrin. 76 This interaction contributes to the formation of a dense fibrin meshwork consisting of thin fibers. 77 Such a structure hinders clot dissolution, leading to slower lysis. 77 In our histological analysis of thrombi, we confirm morphological changes in the fibrin meshwork, resulting in a thinner appearance in both EPO-overexpressing mice and mice subjected to short-term EPO injection.
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1 EPO-overexpressing mice experience an increased incidence of DVT formation. (A) Comparison of RBC count between EPO-overexpressing Tg(EPO) mice (n = 12) and control (WT) mice (n = 13). (B) Comparison of platelet count between EPO-overexpressing Tg(EPO) (n = 7) mice and control (WT) mice (n = 5). (C) Comparison of thrombus weight between Tg(EPO) mice (n = 9) and WT (n = 10); mean age in the Tg(EPO) group: 19.8 weeks; mean age in the WT group: 20.1 weeks. (D) Comparison of thrombus incidence between Tg(EPO) mice (n = 9) and WT mice (n = 10); NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; RBC, red blood cell; WT, wild type.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2 Chronic overproduction of EPO in mice leads to a decrease in the accumulation of classical drivers of DVT formation, including platelets, neutrophils, and fibrinogen. (A) The proportion of RBC-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (n = 4) was compared to control (WT) (n = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (B) The proportion of fibrinogen-covered area in the thrombi of EPO- overexpressing Tg(EPO) mice (n = 3) was compared to control (WT) (n = 3) using immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (C) The proportion of platelet-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (n = 3) was compared to control (WT) (n = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (D) Quantification of neutrophils was performed by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction in EPO-overexpressing Tg(EPO) mice (n = 3) compared to control (WT) (n = 3). (E) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), CD42b in green (platelets), and Hoechst in blue (DNA). The merged image is on the left, and the single channel image is on the right. Scale bar: 50 µm. (F) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), fibrinogen in green, and Hoechst in blue (DNA); the merged image is on the left, and single-channel images are on the right. Scale bar: 50 µm.; NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3 The interaction of RBC with fibrinogen leads to the formation of a branched fibrin structure. (A) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) was compared to control (WT) for fibrinogen (green). Scare bar: 50 µm. (B) High-resolution confocal images of immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) compared to control (WT) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. (C) The mean diameter of 2,141 fibrin fibers was measured in cross-sections of thrombi from Tg(EPO) mice (left), and compared to 5,238 fibrin fibers of WT thrombi. (D) The mean diameter of 3,797 fibrin fibers was measured in two cross-sections of thrombi from 2-week EPO-injected mice (left), and compared to 10,920 fibrin fibers of three cross-sections from control (2-week NaCl-injected mice). (E) High-resolution confocal images of immunofluorescence staining of two cross-sections of the IVC 48 hours after flow reduction from 2-week EPO-injected mice (left) were compared to control (2 week NaCl-injected mice) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 4 Two-week EPO injection leads to thrombocytopenia without an impact on the bone marrow. (A) RBC count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (n = 10) was compared to control (6 × 30 µL NaCl injection) (n = 9). (B) Platelet count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (n = 10) was compared to control (6 × 30 µL NaCl injection) (n = 10). (C) Area of RBC-positive area in the bone marrow of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 4) was compared to control (6 × 30 µL NaCl injection) (n = 4). (D) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) was compared to NaCl injection (bottom) stained for TER119 (violet) and Hoechst (white). Scale bar: 100 µm. (E) Number of megakaryocyte count in the bone marrow of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 4) was compared to control (6 × 30 µL NaCl injection) (n = 4). (F) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) compared to NaCl injection (bottom) stained for CD41 (violet) and Hoechst (white). Scale bar: 100 µm. (G) Platelet large cell ratio in peripheral blood of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) compared to control (6 × 30 µL NaCl injection) (n = 9). (H) Thrombus weight of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) and NaCl-injected control mice (n = 10). (I) Thrombus incidence of 6 × 300 IU EPO-treated C57Bl/6J mice (n = 10) and NaCl-injected control mice (n = 10). NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. EPO, erythropoietin; RBC, red blood cell.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 5 Splenectomy does not affect the blood count as well as DVT formation. (A) WBC count in C57Bl/6J mice without treatment (n = 5), 48 hours after induction of DVT (n = 7), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (B) Platelet count in C57Bl/6J mice without treatment (n = 6), 48 hours after induction of DVT (n = 6), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (C) RBC count in C57Bl/6J mice without treatment (n = 6), 48 hours after induction of DVT (n = 6), 5 weeks after splenectomy (n = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (n = 9). (D) Thrombus weight in C57Bl6 wild-type mice without splenectomy (n = 6) and with splenectomy (n = 6) (E) Thrombus incidence in C57Bl/6J wild-type mice without splenectomy (n = 6) and with splenectomy (n = 6). (F) Thrombus weight in EPO-overexpressing Tg(EPO) mice without splenectomy (n = 9) and with splenectomy (n = 6) compared to control WT mice without splenectomy (n = 10) and with splenectomy (n = 11). (G) Thrombus incidence in EPO-overexpressing Tg(EPO) mice without splenectomy (n = 9) and with splenectomy (n = 6) compared to control WT mice without splenectomy (n = 10) and with splenectomy (n = 11). NS = nonsignificant, *p < 0.05, **p < 0.01, ***p < 0.001. DVT, deep vein thrombosis; RBC, red blood cell; WT, wild type.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- G Ramsey; P F Lindholm. Thrombosis risk in cancer patients receiving red blood cell transfusions. Semin Thromb Hemost (2019)
|
||||
- M A Kumar; T A Boland; M Baiou. Red blood cell transfusion increases the risk of thrombotic events in patients with subarachnoid hemorrhage. Neurocrit Care (2014)
|
||||
- R Goel; E U Patel; M M Cushing. Association of perioperative red blood cell transfusions with venous thromboembolism in a North American Registry. JAMA Surg (2018)
|
||||
- C Wang; I Le Ray; B Lee; A Wikman; M Reilly. Association of blood group and red blood cell transfusion with the incidence of antepartum, peripartum and postpartum venous thromboembolism. Sci Rep (2019)
|
||||
- B S Donahue. Red cell transfusion and thrombotic risk in children. Pediatrics (2020)
|
||||
- M Dicato. Venous thromboembolic events and erythropoiesis-stimulating agents: an update. Oncologist (2008)
|
||||
- C L Bennett; S M Silver; B Djulbegovic. Venous thromboembolism and mortality associated with recombinant erythropoietin and darbepoetin administration for the treatment of cancer-associated anemia. JAMA (2008)
|
||||
- E Chievitz; T Thiede. Complications and causes of death in polycythaemia vera. Acta Med Scand (1962)
|
||||
- V R Gordeuk; J T Prchal. Vascular complications in Chuvash polycythemia. Semin Thromb Hemost (2006)
|
||||
- S Ballestri; E Romagnoli; D Arioli. Risk and management of bleeding complications with direct oral anticoagulants in patients with atrial fibrillation and venous thromboembolism: a narrative review. Adv Ther (2023)
|
||||
- M L von Brühl; K Stark; A Steinhart. Monocytes, neutrophils, and platelets cooperate to initiate and propagate venous thrombosis in mice in vivo. J Exp Med (2012)
|
||||
- G D Lowe; A J Lee; A Rumley; J F Price; F G Fowkes. Blood viscosity and risk of cardiovascular events: the Edinburgh Artery Study. Br J Haematol (1997)
|
||||
- J Vogel; I Kiessling; K Heinicke. Transgenic mice overexpressing erythropoietin adapt to excessive erythrocytosis by regulating blood viscosity. Blood (2003)
|
||||
- F T Ruschitzka; R H Wenger; T Stallmach. Nitric oxide prevents cardiovascular disease and determines survival in polyglobulic mice overexpressing erythropoietin. Proc Natl Acad Sci U S A (2000)
|
||||
- A Bogdanova; D Mihov; H Lutz; B Saam; M Gassmann; J Vogel. Enhanced erythro-phagocytosis in polycythemic mice overexpressing erythropoietin. Blood (2007)
|
||||
- R E Mebius; G Kraal. Structure and function of the spleen. Nat Rev Immunol (2005)
|
||||
- M A Boxer; J Braun; L Ellman. Thromboembolic risk of postsplenectomy thrombocytosis. Arch Surg (1978)
|
||||
- P N Khan; R J Nair; J Olivares; L E Tingle; Z Li. Postsplenectomy reactive thrombocytosis. Proc Bayl Univ Med Cent (2009)
|
||||
- R W Thomsen; W M Schoonen; D K Farkas; A Riis; J P Fryzek; H T Sørensen. Risk of venous thromboembolism in splenectomized patients compared with the general population and appendectomized patients: a 10-year nationwide cohort study. J Thromb Haemost (2010)
|
||||
- G J Kato. Vascular complications after splenectomy for hematologic disorders. Blood (2009)
|
||||
- E M Sewify; D Sayed; R F Abdel Aal; H M Ahmad; M A Abdou. Increased circulating red cell microparticles (RMP) and platelet microparticles (PMP) in immune thrombocytopenic purpura. Thromb Res (2013)
|
||||
- M K Frey; S Alias; M P Winter. Splenectomy is modifying the vascular remodeling of thrombosis. J Am Heart Assoc (2014)
|
||||
- D Bratosin; J Mazurier; J P Tissier. Cellular and molecular mechanisms of senescent erythrocyte phagocytosis by macrophages. A review. Biochimie (1998)
|
||||
- A T Taher; K M Musallam; M Karimi. Splenectomy and thrombosis: the case of thalassemia intermedia. J Thromb Haemost (2010)
|
||||
- M Seki; N Arashiki; Y Takakuwa; K Nitta; F Nakamura. Reduction in flippase activity contributes to surface presentation of phosphatidylserine in human senescent erythrocytes. J Cell Mol Med (2020)
|
||||
- M F Whelihan; K G Mann. The role of the red cell membrane in thrombin generation. Thromb Res (2013)
|
||||
- T Frietsch; M H Maurer; J Vogel; M Gassmann; W Kuschinsky; K F Waschke. Reduced cerebral blood flow but elevated cerebral glucose metabolic rate in erythropoietin overexpressing transgenic mice with excessive erythrocytosis. J Cereb Blood Flow Metab (2007)
|
||||
- O Mitchell; D M Feldman; M Diakow; S H Sigal. The pathophysiology of thrombocytopenia in chronic liver disease. Hepat Med (2016)
|
||||
- Y Lv; W Y Lau; Y Li. Hypersplenism: history and current status. Exp Ther Med (2016)
|
||||
- K F Wagner; D M Katschinski; J Hasegawa. Chronic inborn erythrocytosis leads to cardiac dysfunction and premature death in mice overexpressing erythropoietin. Blood (2001)
|
||||
- C Klatt; I Krüger; S Zey. Platelet-RBC interaction mediated by FasL/FasR induces procoagulant activity important for thrombosis. J Clin Invest (2018)
|
||||
- J Shibata; J Hasegawa; H J Siemens. Hemostasis and coagulation at a hematocrit level of 0.85: functional consequences of erythrocytosis. Blood (2003)
|
||||
- E Babu; D Basu. Platelet large cell ratio in the differential diagnosis of abnormal platelet counts. Indian J Pathol Microbiol (2004)
|
||||
- F Formenti; P A Beer; Q P Croft. Cardiopulmonary function in two human disorders of the hypoxia-inducible factor (HIF) pathway: von Hippel-Lindau disease and HIF-2alpha gain-of-function mutation. FASEB J (2011)
|
||||
- H M Ashraf; A Javed; S Ashraf. Pulmonary embolism at high altitude and hyperhomocysteinemia. J Coll Physicians Surg Pak (2006)
|
||||
- D P Smallman; C M McBratney; C H Olsen; K M Slogic; C J Henderson. Quantification of the 5-year incidence of thromboembolic events in U.S. Air Force Academy cadets in comparison to the U.S. Naval and Military Academies. Mil Med (2011)
|
||||
- M Li; X Tang; Z Liao. Hypoxia and low temperature upregulate transferrin to induce hypercoagulability at high altitude. Blood (2022)
|
||||
- T P McDonald; R E Clift; M B Cottrell. Large, chronic doses of erythropoietin cause thrombocytopenia in mice. Blood (1992)
|
||||
- X Jaïs; V Ioos; C Jardim. Splenectomy and chronic thromboembolic pulmonary hypertension. Thorax (2005)
|
||||
- J M Watters; C N Sambasivan; K Zink. Splenectomy leads to a persistent hypercoagulable state after trauma. Am J Surg (2010)
|
||||
- S Visudhiphan; K Ketsa-Ard; A Piankijagum; S Tumliang. Blood coagulation and platelet profiles in persistent post-splenectomy thrombocytosis. The relationship to thromboembolism. Biomed Pharmacother (1985)
|
||||
- T P McDonald; M B Cottrell; R E Clift; W C Cullen; F K Lin. High doses of recombinant erythropoietin stimulate platelet production in mice. Exp Hematol (1987)
|
||||
- Y Shikama; T Ishibashi; H Kimura; M Kawaguchi; T Uchida; Y Maruyama. Transient effect of erythropoietin on thrombocytopoiesis in vivo in mice. Exp Hematol (1992)
|
||||
- C W Jackson; C C Edwards. Biphasic thrombopoietic response to severe hypobaric hypoxia. Br J Haematol (1977)
|
||||
- T P McDonald. Platelet production in hypoxic and RBC-transfused mice. Scand J Haematol (1978)
|
||||
- Z Rolović; N Basara; L Biljanović-Paunović; N Stojanović; N Suvajdzić; V Pavlović-Kentera. Megakaryocytopoiesis in experimentally induced chronic normobaric hypoxia. Exp Hematol (1990)
|
||||
- R F Wolf; J Peng; P Friese; L S Gilmore; S A Burstein; G L Dale. Erythropoietin administration increases production and reactivity of platelets in dogs. Thromb Haemost (1997)
|
||||
- J K Fraser; A S Tan; F K Lin; M V Berridge. Expression of specific high-affinity binding sites for erythropoietin on rat and mouse megakaryocytes. Exp Hematol (1989)
|
||||
- H Sasaki; Y Hirabayashi; T Ishibashi. Effects of erythropoietin, IL-3, IL-6 and LIF on a murine megakaryoblastic cell line: growth enhancement and expression of receptor mRNAs. Leuk Res (1995)
|
||||
- R D McBane; C Gonzalez; D O Hodge; W E Wysokinski. Propensity for young reticulated platelet recruitment into arterial thrombi. J Thromb Thrombolysis (2014)
|
||||
- M Buttarello; G Mezzapelle; F Freguglia; M Plebani. Reticulated platelets and immature platelet fraction: clinical applications and method limitations. Int J Lab Hematol (2020)
|
||||
- S Guthikonda; C L Alviar; M Vaduganathan. Role of reticulated platelets and platelet size heterogeneity on platelet activity after dual antiplatelet therapy with aspirin and clopidogrel in patients with stable coronary artery disease. J Am Coll Cardiol (2008)
|
||||
- M S Goel; S L Diamond. Adhesion of normal erythrocytes at depressed venous shear rates to activated neutrophils, activated platelets, and fibrin polymerized from plasma. Blood (2002)
|
||||
- P Hermand; P Gane; M Huet. Red cell ICAM-4 is a novel ligand for platelet-activated alpha IIbbeta 3 integrin. J Biol Chem (2003)
|
||||
- A Orbach; O Zelig; S Yedgar; G Barshtein. Biophysical and biochemical markers of red blood cell fragility. Transfus Med Hemother (2017)
|
||||
- C C Helms; M Marvel; W Zhao. Mechanisms of hemolysis-associated platelet activation. J Thromb Haemost (2013)
|
||||
- J Villagra; S Shiva; L A Hunter; R F Machado; M T Gladwin; G J Kato. Platelet activation in patients with sickle disease, hemolysis-associated pulmonary hypertension, and nitric oxide scavenging by cell-free hemoglobin. Blood (2007)
|
||||
- S Gambaryan; H Subramanian; L Kehrer. Erythrocytes do not activate purified and platelet soluble guanylate cyclases even in conditions favourable for NO synthesis. Cell Commun Signal (2016)
|
||||
- S Krauss. Haptoglobin metabolism in polycythemia vera. Blood (1969)
|
||||
- A Vignoli; S Gamba; P EJ van der Meijden. Increased platelet thrombus formation under flow conditions in whole blood from polycythaemia vera patients. Blood Transfus (2022)
|
||||
- J H Lawrence. The control of polycythemia by marrow inhibition; a 10-year study of 172 patients. J Am Med Assoc (1949)
|
||||
- T C Pearson; G Wetherley-Mein. Vascular occlusive episodes and venous haematocrit in primary proliferative polycythaemia. Lancet (1978)
|
||||
- J F Fazekas; D Nelson. Cerebral blood flow in polycythemia vera. AMA Arch Intern Med (1956)
|
||||
- D J Thomas; J Marshall; R W Russell. Effect of haematocrit on cerebral blood-flow in man. Lancet (1977)
|
||||
- A D'Emilio; R Battista; E Dini. Treatment of primary proliferative polycythaemia by venesection and busulphan. Br J Haematol (1987)
|
||||
- J E Taylor; I S Henderson; W K Stewart; J J Belch. Erythropoietin and spontaneous platelet aggregation in haemodialysis patients. Lancet (1991)
|
||||
- J J Zwaginga; M J IJsseldijk; P G de Groot. Treatment of uremic anemia with recombinant erythropoietin also reduces the defects in platelet adhesion and aggregation caused by uremic plasma. Thromb Haemost (1991)
|
||||
- F Fabris; I Cordiano; M L Randi. Effect of human recombinant erythropoietin on bleeding time, platelet number and function in children with end-stage renal disease maintained by haemodialysis. Pediatr Nephrol (1991)
|
||||
- T Akizawa; E Kinugasa; T Kitaoka; S Koshikawa. Effects of recombinant human erythropoietin and correction of anemia on platelet function in hemodialysis patients. Nephron J (1991)
|
||||
- G Viganò; A Benigni; D Mendogni; G Mingardi; G Mecca; G Remuzzi. Recombinant human erythropoietin to correct uremic bleeding. Am J Kidney Dis (1991)
|
||||
- J A Rios; J Hambleton; M Viele. Viability of red cells prepared with S-303 pathogen inactivation treatment. Transfusion (2006)
|
||||
- S Khandelwal; N van Rooijen; R K Saxena. Reduced expression of CD47 during murine red blood cell (RBC) senescence and its role in RBC clearance from the circulation. Transfusion (2007)
|
||||
- G J Bosman; J M Werre; F L Willekens; V M Novotný. Erythrocyte ageing in vivo and in vitro: structural aspects and implications for transfusion. Transfus Med (2008)
|
||||
- W H Crosby. Normal functions of the spleen relative to red blood cells: a review. Blood (1959)
|
||||
- R Varin; S Mirshahi; P Mirshahi. Whole blood clots are more resistant to lysis than plasma clots–greater efficacy of rivaroxaban. Thromb Res (2013)
|
||||
- F A Carvalho; S Connell; G Miltenberger-Miltenyi. Atomic force microscopy-based molecular recognition of a fibrinogen receptor on human erythrocytes. ACS Nano (2010)
|
||||
- N Wohner; P Sótonyi; R Machovich. Lytic resistance of fibrin containing red blood cells. Arterioscler Thromb Vasc Biol (2011)
|
@ -0,0 +1,72 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Proposal and Validation of a Cli ... ulation Diagnostic Criteria for Sepsis
|
||||
item-2 at level 1: paragraph: Kazuma Yamakawa; Department of E ... hi Tokushukai Hospital, Sapporo, Japan
|
||||
item-3 at level 1: text: Background Japanese Association ... native criteria for sepsis management.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Disseminated intravascular coagu ... are widely used in clinical settings.
|
||||
item-6 at level 2: text: The JAAM DIC criteria have sever ... sis, this burden should be eliminated.
|
||||
item-7 at level 1: section_header: Study Population
|
||||
item-8 at level 2: text: This investigation was performed ... ., SOFA score of 2 or more points). 13
|
||||
item-9 at level 1: section_header: Data Collection and Definitions
|
||||
item-10 at level 2: text: A case report form was developed ... e was all-cause in-hospital mortality.
|
||||
item-11 at level 1: section_header: Newly Proposed Modified JAAM-2 DIC Criteria
|
||||
item-12 at level 2: text: We proposed novel DIC criteria n ... s set at 3 points or more ( Table 2 ).
|
||||
item-13 at level 1: section_header: Statistical Analysis
|
||||
item-14 at level 2: text: The overall effectiveness of ant ... along with estimated survival curves.
|
||||
item-15 at level 1: section_header: Patient Characteristics
|
||||
item-16 at level 2: text: The patient flow diagram is show ... CU registry in the final study cohort.
|
||||
item-17 at level 2: text: Baseline characteristics of the ... the anticoagulant and control groups.
|
||||
item-18 at level 1: section_header: Prognostic Value of the Criteria
|
||||
item-19 at level 2: text: ROC curves for the original JAAM ... teria was considered to be equivalent.
|
||||
item-20 at level 1: section_header: Validity of the Criteria in Initiating Anticoagulation
|
||||
item-21 at level 2: text: Survival curves for the anticoag ... g DIC was considered to be equivalent.
|
||||
item-22 at level 1: section_header: Clinical Application of the Findings
|
||||
item-23 at level 2: text: Several different clinical pract ... tion and determining treatment timing.
|
||||
item-24 at level 2: text: Modification of the JAAM DIC cri ... a totally clinical-friendly approach.
|
||||
item-25 at level 2: text: We intended to evaluate the seve ... 24 proposed by the ISTH in the future.
|
||||
item-26 at level 1: section_header: Strengths and Limitations
|
||||
item-27 at level 2: text: We acknowledge several limitatio ... tis should be conducted in the future.
|
||||
item-28 at level 1: section_header: Tables
|
||||
item-30 at level 1: table with [22x2]
|
||||
item-30 at level 2: caption: Table 1 Underlying diseases targeted by the JAAM-2 DIC criteria
|
||||
item-32 at level 1: table with [38x4]
|
||||
item-32 at level 2: caption: Table 3 Baseline characteristics of included sepsis patients in the three datasets
|
||||
item-33 at level 1: section_header: Figures
|
||||
item-35 at level 1: picture
|
||||
item-35 at level 2: caption: Fig. 1 Patient flow for the three datasets used in this study. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine; ROC, receiver operating characteristic.
|
||||
item-37 at level 1: picture
|
||||
item-37 at level 2: caption: Fig. 2 Receiver operating characteristic curves for original JAAM and modified JAAM-2 DIC criteria as predictors of in-hospital mortality. The solid line represents curves for JAAM-2, and the dotted line represents curves for original JAAM. (A) J-Septic DIC dataset, (B) FORECAST dataset, (C) SPICE dataset. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
item-39 at level 1: picture
|
||||
item-39 at level 2: caption: Fig. 3 Adjusted estimated survival curves according to the original JAAM and modified JAAM-2 DIC status using the J-septic DIC dataset. (A) JAAM DIC score ≤ 3, (B) JAAM DIC score ≥ 4, (C) JAAM-2 DIC score ≤ 2, and (D) JAAM-2 DIC score ≥ 3. The solid line represents patients in the anticoagulant group, and the dotted line represents patients in the control group. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
item-41 at level 1: picture
|
||||
item-41 at level 2: caption: Fig. 4 Adjusted estimated survival curves according to the original JAAM and modified JAAM-2 DIC status using the FORECAST dataset. (A) JAAM DIC score ≤ 3, (B) JAAM DIC score ≥ 4, (C) JAAM-2 DIC score ≤ 2, and (D) JAAM-2 DIC score ≥ 3. The solid line represents patients in the anticoagulant group, and the dotted line represents patients in the control group. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
item-42 at level 1: section_header: References
|
||||
item-43 at level 1: list: group list
|
||||
item-44 at level 2: list_item: M Levi; H Ten Cate. Disseminated ... cular coagulation. N Engl J Med (1999)
|
||||
item-45 at level 2: list_item: M Hayakawa; S Saito; S Uchino. C ... ing 2011-2013. J Intensive Care (2016)
|
||||
item-46 at level 2: list_item: S Gando; A Shiraishi; K Yamakawa ... on in severe sepsis. Thromb Res (2019)
|
||||
item-47 at level 2: list_item: N Kobayashi; T Maekawa; M Takada ... on DIC in Japan. Bibl Haematol (1983)
|
||||
item-48 at level 2: list_item: F B Taylor; C H Toh; W K Hoots; ... lar coagulation. Thromb Haemost (2001)
|
||||
item-49 at level 2: list_item: T Iba; Y Umemura; E Watanabe; T ... nd coagulopathy. Acute Med Surg (2019)
|
||||
item-50 at level 2: list_item: K Yamakawa; J Yoshimura; T Ito; ... pathy in sepsis. Thromb Haemost (2019)
|
||||
item-51 at level 2: list_item: S Gando; T Iba; Y Eguchi. A mult ... current criteria. Crit Care Med (2006)
|
||||
item-52 at level 2: list_item: S Gando; D Saitoh; H Ogura. Natu ... ospective survey. Crit Care Med (2008)
|
||||
item-53 at level 2: list_item: H Ogura; S Gando; T Iba. SIRS-as ... ts with thrombocytopenia. Shock (2007)
|
||||
item-54 at level 2: list_item: . American College of Chest Phys ... rapies in sepsis. Crit Care Med (1992)
|
||||
item-55 at level 2: list_item: K M Kaukonen; M Bailey; D Pilche ... ing severe sepsis. N Engl J Med (2015)
|
||||
item-56 at level 2: list_item: M Singer; C S Deutschman; C W Se ... d Septic Shock (Sepsis-3). JAMA (2016)
|
||||
item-57 at level 2: list_item: T Abe; H Ogura; A Shiraishi. Cha ... : the FORECAST study. Crit Care (2018)
|
||||
item-58 at level 2: list_item: T Abe; K Yamakawa; H Ogura. Epid ... m (SPICE-ICU). J Intensive Care (2020)
|
||||
item-59 at level 2: list_item: R C Bone; R A Balk; F B Cerra. D ... tive therapies in sepsis. Chest (1992)
|
||||
item-60 at level 2: list_item: J L Vincent; R Moreno; J Takala. ... re Medicine. Intensive Care Med (1996)
|
||||
item-61 at level 2: list_item: M Levi; C H Toh; J Thachil; H G ... ular coagulation. Br J Haematol (2009)
|
||||
item-62 at level 2: list_item: H Wada; H Asakura; K Okamoto. Ex ... oagulation in Japan. Thromb Res (2010)
|
||||
item-63 at level 2: list_item: M Di Nisio; F Baudo; B Cosmi. Di ... Thrombosis (SISET). Thromb Res (2012)
|
||||
item-64 at level 2: list_item: H Wada; J Thachil; M Di Nisio. G ... ee guidelines. J Thromb Haemost (2013)
|
||||
item-65 at level 2: list_item: Y Umemura; K Yamakawa; T Kiguchi ... iteria. Clin Appl Thromb Hemost (2016)
|
||||
item-66 at level 2: list_item: T Iba; M Di Nisio; J Thachil. Re ... ntithrombin activity. Crit Care (2016)
|
||||
item-67 at level 2: list_item: T Iba; M D Nisio; J H Levy; N Ki ... f a nationwide survey. BMJ Open (2017)
|
||||
item-68 at level 2: list_item: S Kushimoto; S Gando; D Saitoh. ... psis and trauma. Thromb Haemost (2008)
|
||||
item-69 at level 2: list_item: A Sawamura; M Hayakawa; S Gando. ... rly phase of trauma. Thromb Res (2009)
|
||||
item-70 at level 2: list_item: K Iwai; S Uchino; A Endo; K Sait ... ute Medicine (JAAM). Thromb Res (2010)
|
||||
item-71 at level 2: list_item: T Takemitsu; H Wada; T Hatada. P ... lar coagulation. Thromb Haemost (2011)
|
5643
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786808.nxml.json
Normal file
5643
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786808.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
172
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786808.nxml.md
Normal file
172
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786808.nxml.md
Normal file
@ -0,0 +1,172 @@
|
||||
# Proposal and Validation of a Clinically Relevant Modification of the Japanese Association for Acute Medicine Disseminated Intravascular Coagulation Diagnostic Criteria for Sepsis
|
||||
|
||||
Kazuma Yamakawa; Department of Emergency and Critical Care Medicine, Osaka Medical and Pharmaceutical University, Takatsuki, Japan; Yutaka Umemura; Division of Trauma and Surgical Critical Care, Osaka General Medical Center, Osaka, Japan; Katsunori Mochizuki; Department of Emergency and Critical Care Medicine, Osaka Medical and Pharmaceutical University, Takatsuki, Japan; Department of Emergency and Critical Care Medicine, Azumino Red Cross Hospital, Nagano, Japan; Tadashi Matsuoka; Department of Emergency and Critical Care Medicine, Keio University, Tokyo, Japan; Takeshi Wada; Division of Acute and Critical Care Medicine, Department of Anesthesiology and Critical Care Medicine, Hokkaido University Faculty of Medicine, Sapporo, Japan; Mineji Hayakawa; Division of Acute and Critical Care Medicine, Department of Anesthesiology and Critical Care Medicine, Hokkaido University Faculty of Medicine, Sapporo, Japan; Toshiaki Iba; Department of Emergency and Disaster Medicine, Juntendo University Graduate School of Medicine, Tokyo, Japan; Yasuhiro Ohtomo; National Disaster Medical Center, Tokyo, Japan; Kohji Okamoto; Department of Surgery, Kitakyushu City Yahata Hospital, Kitakyushu, Japan; Toshihiko Mayumi; Department of Intensive Care Unit, Japan Community Healthcare Organization Chukyo Hospital, Nagoya, Japan; Toshiaki Ikeda; Division of Critical Care and Emergency Medicine, Tokyo Medical University Hachioji Medical Center, Tokyo, Japan; Hiroyasu Ishikura; Department of Emergency and Critical Care Medicine, Fukuoka University, Fukuoka, Japan; Hiroshi Ogura; Department of Traumatology and Acute Critical Medicine, Osaka University Graduate School of Medicine, Suita, Japan; Shigeki Kushimoto; Division of Emergency and Critical Care Medicine, Tohoku University Graduate School of Medicine, Sendai, Japan; Daizoh Saitoh; Graduate School of Emergency Medical System, Kokushikan University, Tama, Japan; Satoshi Gando; Division of Acute and Critical Care Medicine, Department of Anesthesiology and Critical Care Medicine, Hokkaido University Faculty of Medicine, Sapporo, Japan; Department of Acute and Critical Care Medicine, Sapporo Higashi Tokushukai Hospital, Sapporo, Japan
|
||||
|
||||
Background Japanese Association for Acute Medicine (JAAM) disseminated intravascular coagulation (DIC) criteria were launched nearly 20 years ago. Following the revised conceptual definition of sepsis and subsequent omission of systemic inflammatory response syndrome (SIRS) score from the latest sepsis diagnostic criteria, we omitted the SIRS score and proposed a modified version of JAAM DIC criteria, the JAAM-2 DIC criteria. Objectives To validate and compare performance between new JAAM-2 DIC criteria and conventional JAAM DIC criteria for sepsis. Methods We used three datasets containing adult sepsis patients from a multicenter nationwide Japanese cohort study (J-septic DIC, FORECAST, and SPICE-ICU registries). JAAM-2 DIC criteria omitted the SIRS score and set the cutoff value at ≥3 points. Receiver operating characteristic (ROC) analyses were performed between the two DIC criteria to evaluate prognostic value. Associations between in-hospital mortality and anticoagulant therapy according to DIC status were analyzed using propensity score weighting to compare significance of the criteria in determining introduction of anticoagulants against sepsis. Results Final study cohorts of the datasets included 2,154, 1,065, and 608 sepsis patients, respectively. ROC analysis revealed that curves for both JAAM and JAAM-2 DIC criteria as predictors of in-hospital mortality were almost consistent. Survival curves for the anticoagulant and control groups in the propensity score-weighted prediction model diagnosed using the two criteria were also almost entirely consistent. Conclusion JAAM-2 DIC criteria were equivalent to JAAM DIC criteria regarding prognostic and diagnostic values for initiating anticoagulation. The newly proposed JAAM-2 DIC criteria could be potentially alternative criteria for sepsis management.
|
||||
|
||||
## Introduction
|
||||
|
||||
Disseminated intravascular coagulation (DIC) is a disorder frequently seen in critically ill patients, especially those with sepsis, that may lead to severe bleeding and organ dysfunction. 1 Because mortality is higher in patients with than without DIC, 2 3 several organizations have put forward DIC scoring systems with the aim of improving the outcome of patients with DIC. The Japanese Ministry of Health and Welfare (JMHW) proposed a criteria for the diagnosis of DIC in 1976. 4 Their criteria involved the evaluation of global coagulation tests, underlying diseases, and clinical symptoms. Thereafter, the subcommittee of the International Society on Thrombosis and Haemostasis (ISTH) proposed a scoring system for overt and non-overt DIC in 2001. 5 However, patients diagnosed according to the JMHW or ISTH DIC criteria are often at high risk of death at the time of diagnosis because of the delay from the onset of coagulopathy. It has been reported that these patients are missing out on the initiation of interventions in the setting of critical illness. 6 7 Thus, the Japanese Association for Acute Medicine (JAAM) proposed another DIC scoring system that aimed to make early diagnosis of DIC in acute diseases possible. 8 9 Now, both the ISTH overt- and JAAM DIC criteria are widely used in clinical settings.
|
||||
|
||||
The JAAM DIC criteria have several unique features compared with other DIC criteria, one of which is the inclusion of the systemic inflammatory response syndrome (SIRS) score. Based on the pathophysiological concept, as sepsis-induced DIC is caused by systemic inflammation and subsequent endothelial injury, inclusion of the SIRS score seemed to be reasonable. 10 The SIRS score was introduced as one of the criteria to diagnose sepsis in 1992. 11 In recent years, however, the prognostic relevance of the SIRS score has been questioned, 12 and SIRS criteria have been omitted from the latest definition of sepsis proposed in 2016 13 and are no longer used in clinical practice. Other concerns with including the SIRS score in the DIC criteria were the clinical burden on physicians and inter-observer variability in scoring. To determine the SIRS score, several vital signs need to be assessed and the score calculated. Because the SIRS criteria are now no longer used to diagnose sepsis, this burden should be eliminated.
|
||||
|
||||
## Study Population
|
||||
|
||||
This investigation was performed using three different datasets extracted from a multicenter nationwide cohort study conducted in Japan. The first dataset, the J-septic DIC dataset, was compiled in 42 intensive care units (ICUs) between January 2011 and December 2013. 2 The second dataset, the FORECAST dataset, was compiled in 59 ICUs between January 2016 and March 2017, 14 and the third dataset, the SPICE dataset, was compiled in 22 ICUs between December 2017 and May 2018. 15 In the first two datasets, patients were eligible for the registry if they were diagnosed as having severe sepsis or septic shock according to the conventional criteria proposed by the American College of Chest Physicians/Society of Critical Care Medicine (ACCP/SCCM) consensus conference in 1991 16 and were 18 years of age or older. In the present analysis, we included as the underlying diseases targeted by the JAAM-2 DIC criteria only those of sepsis patients diagnosed using the Sepsis-3 criteria (i.e., SOFA score of 2 or more points). 13
|
||||
|
||||
## Data Collection and Definitions
|
||||
|
||||
A case report form was developed for the three datasets used in this study on which the following information was recorded: age, sex, disease severity scores on the day of ICU admission, the source of ICU admission, pre-existing conditions, new organ dysfunction, primary source of infection, and concomitant therapies against sepsis. The severity of illness was evaluated at study entry according to the Acute Physiology and Chronic Health Evaluation (APACHE) II score and SIRS score. The Sequential Organ Failure Assessment (SOFA) score was used to assess organ dysfunction, which was defined as a SOFA subscore ≥2 for each organ. 17 The primary outcome measure was all-cause in-hospital mortality.
|
||||
|
||||
## Newly Proposed Modified JAAM-2 DIC Criteria
|
||||
|
||||
We proposed novel DIC criteria named the JAAM-2 DIC criteria that were modified from the original JAAM DIC criteria. The underlying diseases targeted by the JAAM-2 DIC criteria, which comply with those of the original JAAM DIC criteria, are shown in Table 1 . 9 The SIRS score component from the JAAM DIC criteria was omitted, and the cutoff value for diagnosing DIC was set at 3 points or more ( Table 2 ).
|
||||
|
||||
## Statistical Analysis
|
||||
|
||||
The overall effectiveness of anticoagulant therapy on mortality was assessed using a Cox regression model with inverse probability-of-treatment weighting using the propensity scores. The propensity score for receiving anticoagulant therapy was calculated using multivariate logistic regression and included 25 independent variables for the J-septic DIC cohort and 30 variables for the FORECAST cohort, including age, sex, disease severity, source of ICU admission, past medical history of severe conditions, new organ dysfunctions, ICU characteristics, primary source of infection, causal microorganisms, anticoagulant therapy not for DIC, and other therapeutic interventions ( Supplementary Table S1 [available in the online version]). Hazard ratio and estimated 95% confidence interval were calculated along with estimated survival curves.
|
||||
|
||||
## Patient Characteristics
|
||||
|
||||
The patient flow diagram is shown in Fig. 1 . During the study period, 3,195 consecutive patients fulfilling the inclusion criteria were registered in the J-Septic DIC registry database. After excluding 1,040 patients who met at least one exclusion criterion, we analyzed 2,154 patients in the final study cohort. The anticoagulant group comprised 1,089 patients, and the control group comprised 1,065 patients. Similarly, we enrolled 817 patients from the FORECAST registry and 608 patients from the SPICE-ICU registry in the final study cohort.
|
||||
|
||||
Baseline characteristics of the study population are shown in Table 3 , Supplementary Table S2 and S3 (available in the online version). Patient characteristics such as age and sex were similar between the three datasets. After applying an inverse probability of treatment weighting with propensity score, patient characteristics, such as illness severity, as indicated by SOFA, APACHE II, and DIC scores and the rate of new organ dysfunction, were well matched between the anticoagulant and control groups.
|
||||
|
||||
## Prognostic Value of the Criteria
|
||||
|
||||
ROC curves for the original JAAM and modified JAAM-2 DIC criteria as predictors of in-hospital mortality are shown in Fig. 2 . Consistent with the three different datasets, the curves for both the JAAM and JAAM-2 DIC criteria were almost entirely consistent with each other. These data suggested that in predicting short-term mortality, use of the JAAM DIC and JAAM-2 DIC criteria was considered to be equivalent.
|
||||
|
||||
## Validity of the Criteria in Initiating Anticoagulation
|
||||
|
||||
Survival curves for the anticoagulant and control groups in the propensity score-weighted prediction model according to DIC status diagnosed using the two criteria are shown in Fig. 3 (J-septic DIC dataset) and Fig. 4 (FORECAST dataset). Consistent with both criteria and both datasets, favorable effects of anticoagulant therapy were observed only in the patient subsets with DIC, whereas differences in mortality between the anticoagulant and control groups in the subsets without DIC were not significant. These findings were consistent between the two datasets and suggested that to determine the optimal target of anticoagulant therapy for sepsis, use of the JAAM DIC and JAAM-2 DIC criteria for diagnosing DIC was considered to be equivalent.
|
||||
|
||||
## Clinical Application of the Findings
|
||||
|
||||
Several different clinical practice guidelines for DIC have been developed by societies in Britain, 18 Japan, 19 and Italy, 20 along with the harmonized guidance by the ISTH. 21 Some distinct discrepancies in the appraisal of diagnostic criteria for DIC exist between these guidelines. The Japanese and Italian clinical practice guidelines recommend the use of either the JMHW, ISTH, or the JAAM criteria, whereas the British guideline recommends the use of the ISTH criteria. The guidelines do not offer consistent recommendations on diagnosing DIC, and thus, there is currently no definitive agreement as to which of these criteria is superior to the other. The present study does not aim to discuss the diagnostic value of the several DIC criteria because we have no gold standard for DIC diagnosis. No meta-analysis has been conducted so far to compare the prognostic performance among the several available DIC criteria. Nonetheless, we showed that the clinical usefulness of the proposed JAAM-2 DIC criteria was nearly equivalent to that of the traditional JAAM DIC criteria. While a discussion on superiority would be worthless, we showed that the performance of the JAAM-2 scoring system is almost identical to that of the JAAM criteria in terms of mortality prediction and determining treatment timing.
|
||||
|
||||
Modification of the JAAM DIC criteria has been discussed in several studies so far. Umemura et al 22 proposed unified DIC criteria involving several hemostatic endothelial molecular markers based on the JAAM DIC criteria and showed that the addition of protein C activity and plasminogen activator inhibitor 1 to the original JAAM DIC criteria resulted in greater prognostic value than the original criteria. Iba et al 23 proposed replacing the SIRS score with antithrombin activity in the JAAM DIC criteria. They validated the proposed criteria using a dataset of 819 sepsis patients and found that using AT-based DIC criteria makes it possible to discriminate a more coagulation disorder-specific population. All of these previous attempts were in addition to or replacements of the other variables instead of the SIRS score, and thus, the burden on clinicians still remained. In the present study, we simply omitted the SIRS score, so this modification of the JAAM DIC criteria should allow a totally clinical-friendly approach.
|
||||
|
||||
We intended to evaluate the severity of sepsis by adding “SIRS score ≥ 3”; however, the present study showed the prognosis to be not different without this item included. Therefore, we think it is reasonable to omit the SIRS item from the JAAM criteria. In the present analysis, as the JAAM-2 DIC criteria have been shown to increase clinical simplicity without diminishing any diagnostic performance, the educational activities led by our academic society will aid in the replacement of original JAAM with JAAM-2 DIC criteria in Japan. Furthermore, it will be necessary to verify coherence with the sepsis-induced coagulopathy criteria 24 proposed by the ISTH in the future.
|
||||
|
||||
## Strengths and Limitations
|
||||
|
||||
We acknowledge several limitations of this study. First, due to its retrospective nature, the anticoagulant intervention was not standardized. The indications for the intervention being examined were dependent on the treatment principles of each hospital or each attending physician. Thus, we used propensity scoring to handle the nonrandomization. Second, this study used sub-group analysis, which might have accidentally generated both false-positive and false-negative results. Finally, this article focused only on patients with sepsis among various underlying diseases of DIC. The original JAAM DIC criteria have been reported to be useful in a variety of underlying diseases. 25 26 27 28 Further validation studies of these novel JAAM-2 DIC criteria targeting other underlying diseases such as trauma, postcardiac arrest, and pancreatitis should be conducted in the future.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1 Underlying diseases targeted by the JAAM-2 DIC criteria
|
||||
|
||||
| 1. Sepsis/severe infection (any microorganism) | 1. Sepsis/severe infection (any microorganism) |
|
||||
|-----------------------------------------------------------------------------------|-----------------------------------------------------------------------------------|
|
||||
| 2. Trauma/burn/surgery | 2. Trauma/burn/surgery |
|
||||
| 3. Vascular abnormalities | 3. Vascular abnormalities |
|
||||
| | Large vascular aneurysms |
|
||||
| | Giant hemangioma |
|
||||
| | Vasculitis |
|
||||
| 4. Severe toxic or immunological reactions | 4. Severe toxic or immunological reactions |
|
||||
| | Snakebite |
|
||||
| | Recreational drugs |
|
||||
| | Transfusion reactions |
|
||||
| | Transplant rejection |
|
||||
| 5. Malignancy (except bone marrow suppression) | 5. Malignancy (except bone marrow suppression) |
|
||||
| 6. Obstetric calamities | 6. Obstetric calamities |
|
||||
| 7. Conditions that may be associated with systemic inflammatory response syndrome | 7. Conditions that may be associated with systemic inflammatory response syndrome |
|
||||
| | Organ destruction (e.g., severe pancreatitis) |
|
||||
| | Severe hepatic failure |
|
||||
| | Ischemia/hypoxia/shock |
|
||||
| | Heat stroke/malignant syndrome |
|
||||
| | Fat embolism |
|
||||
| | Rhabdomyolysis |
|
||||
| | Others |
|
||||
| 8. Others | 8. Others |
|
||||
|
||||
Table 3 Baseline characteristics of included sepsis patients in the three datasets
|
||||
|
||||
| Characteristics | J-septic DIC dataset ( n = 2,154) | FORECAST dataset ( n = 817) | SPICE dataset ( n = 608) |
|
||||
|--------------------------------------------|--------------------------------------------|--------------------------------------------|--------------------------------------------|
|
||||
| Age in years | 72 (62–80) | 72 (63–82) | 72 (60–82) |
|
||||
| Male sex | 1,270 (59%) | 496 (61%) | 350 (58%) |
|
||||
| Illness severity | Illness severity | Illness severity | Illness severity |
|
||||
| SIRS score | 3 (2–4) | 3 (2–4) | 3 (2–3) |
|
||||
| SOFA score | 9 (7–12) | 9 (6–11) | 7 (4.5–10) |
|
||||
| APACHE II score | 22 (17–28) | 22 (17–29) | 20 (14–27) |
|
||||
| ISTH overt-DIC score | 4 (2–5) | 3 (2–4) | 2 (0–3) |
|
||||
| JAAM DIC score | 4 (3–6) | 4 (2–5) | 3 (2–5) |
|
||||
| Source of ICU admission | Source of ICU admission | Source of ICU admission | Source of ICU admission |
|
||||
| Emergency department | 1,018 (47%) | 465 (57%) | 350 (58%) |
|
||||
| Ward | 515 (24%) | 352 (43%) | 258 (42%) |
|
||||
| Other hospital | 621 (29%) | 352 (43%) | 258 (42%) |
|
||||
| Pre-existing condition | Pre-existing condition | Pre-existing condition | Pre-existing condition |
|
||||
| Liver insufficiency | 16 (1%) | 26 (3%) | 26 (4%) |
|
||||
| Chronic heart failure | 116 (5%) | 104 (13%) | 57 (9%) |
|
||||
| Chronic respiratory disorder | 85 (4%) | 58 (7%) | 52 (9%) |
|
||||
| Chronic hemodialysis | 167 (8%) | 52 (6%) | 52 (9%) |
|
||||
| Immunocompromised | 228 (11%) | 96 (12%) | 38 (6%) |
|
||||
| New organ dysfunction (SOFA subscores ≥ 2) | New organ dysfunction (SOFA subscores ≥ 2) | New organ dysfunction (SOFA subscores ≥ 2) | New organ dysfunction (SOFA subscores ≥ 2) |
|
||||
| Respiratory | 1,489 (69%) | 575 (70%) | 370 (61%) |
|
||||
| Cardiovascular | 1,416 (66%) | 461 (56%) | 254 (42%) |
|
||||
| Renal | 1,071 (50%) | 413 (51%) | 268 (44%) |
|
||||
| Hepatic | 383 (18%) | 127 (16%) | 84 (14%) |
|
||||
| Coagulation | 816 (38%) | 233 (29%) | 127 (21%) |
|
||||
| Primary source of infection | Primary source of infection | Primary source of infection | Primary source of infection |
|
||||
| Abdomen | 696 (32%) | 212 (26%) | 120 (20%) |
|
||||
| Lung | 556 (26%) | 259 (32%) | 203 (33%) |
|
||||
| Urinary tract | 385 (18%) | 159 (19%) | 102 (17%) |
|
||||
| Bone/soft tissue | 250 (12%) | 111 (14%) | 90 (15%) |
|
||||
| Central nervous system | 50 (2%) | 15 (2%) | 15 (2%) |
|
||||
| Other/unknown | 217 (10%) | 61 (7%) | 78 (13%) |
|
||||
| Other therapeutic interventions | Other therapeutic interventions | Other therapeutic interventions | Other therapeutic interventions |
|
||||
| Immunoglobulin | 685 (32%) | 158 (19%) | |
|
||||
| Low-dose steroids | 539 (25%) | 241 (30%) | |
|
||||
| Renal replacement therapy | 599 (28%) | 231 (28%) | |
|
||||
| PMX-DHP | 465 (22%) | 78 (10%) | |
|
||||
| Surgical intervention | 906 (42%) | 145 (18%) | |
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1 Patient flow for the three datasets used in this study. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine; ROC, receiver operating characteristic.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2 Receiver operating characteristic curves for original JAAM and modified JAAM-2 DIC criteria as predictors of in-hospital mortality. The solid line represents curves for JAAM-2, and the dotted line represents curves for original JAAM. (A) J-Septic DIC dataset, (B) FORECAST dataset, (C) SPICE dataset. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3 Adjusted estimated survival curves according to the original JAAM and modified JAAM-2 DIC status using the J-septic DIC dataset. (A) JAAM DIC score ≤ 3, (B) JAAM DIC score ≥ 4, (C) JAAM-2 DIC score ≤ 2, and (D) JAAM-2 DIC score ≥ 3. The solid line represents patients in the anticoagulant group, and the dotted line represents patients in the control group. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 4 Adjusted estimated survival curves according to the original JAAM and modified JAAM-2 DIC status using the FORECAST dataset. (A) JAAM DIC score ≤ 3, (B) JAAM DIC score ≥ 4, (C) JAAM-2 DIC score ≤ 2, and (D) JAAM-2 DIC score ≥ 3. The solid line represents patients in the anticoagulant group, and the dotted line represents patients in the control group. DIC, disseminated intravascular coagulation; JAAM, Japanese Association for Acute Medicine.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- M Levi; H Ten Cate. Disseminated intravascular coagulation. N Engl J Med (1999)
|
||||
- M Hayakawa; S Saito; S Uchino. Characteristics, treatments, and outcomes of severe sepsis of 3195 ICU-treated adult patients throughout Japan during 2011-2013. J Intensive Care (2016)
|
||||
- S Gando; A Shiraishi; K Yamakawa. Role of disseminated intravascular coagulation in severe sepsis. Thromb Res (2019)
|
||||
- N Kobayashi; T Maekawa; M Takada; H Tanaka; H Gonmori. Criteria for diagnosis of DIC based on the analysis of clinical and laboratory findings in 345 DIC patients collected by the Research Committee on DIC in Japan. Bibl Haematol (1983)
|
||||
- F B Taylor; C H Toh; W K Hoots; H Wada; M Levi. Towards definition, clinical and laboratory criteria, and a scoring system for disseminated intravascular coagulation. Thromb Haemost (2001)
|
||||
- T Iba; Y Umemura; E Watanabe; T Wada; K Hayashida; S Kushimoto. Diagnosis of sepsis-induced disseminated intravascular coagulation and coagulopathy. Acute Med Surg (2019)
|
||||
- K Yamakawa; J Yoshimura; T Ito; M Hayakawa; T Hamasaki; S Fujimi. External validation of the two newly proposed criteria for assessing coagulopathy in sepsis. Thromb Haemost (2019)
|
||||
- S Gando; T Iba; Y Eguchi. A multicenter, prospective validation of disseminated intravascular coagulation diagnostic criteria for critically ill patients: comparing current criteria. Crit Care Med (2006)
|
||||
- S Gando; D Saitoh; H Ogura. Natural history of disseminated intravascular coagulation diagnosed based on the newly established diagnostic criteria for critically ill patients: results of a multicenter, prospective survey. Crit Care Med (2008)
|
||||
- H Ogura; S Gando; T Iba. SIRS-associated coagulopathy and organ dysfunction in critically ill patients with thrombocytopenia. Shock (2007)
|
||||
- . American College of Chest Physicians/Society of Critical Care Medicine Consensus Conference: definitions for sepsis and organ failure and guidelines for the use of innovative therapies in sepsis. Crit Care Med (1992)
|
||||
- K M Kaukonen; M Bailey; D Pilcher; D J Cooper; R Bellomo. Systemic inflammatory response syndrome criteria in defining severe sepsis. N Engl J Med (2015)
|
||||
- M Singer; C S Deutschman; C W Seymour. The Third International Consensus Definitions for Sepsis and Septic Shock (Sepsis-3). JAMA (2016)
|
||||
- T Abe; H Ogura; A Shiraishi. Characteristics, management, and in-hospital mortality among patients with severe sepsis in intensive care units in Japan: the FORECAST study. Crit Care (2018)
|
||||
- T Abe; K Yamakawa; H Ogura. Epidemiology of sepsis and septic shock in intensive care units between sepsis-2 and sepsis-3 populations: sepsis prognostication in intensive care unit and emergency room (SPICE-ICU). J Intensive Care (2020)
|
||||
- R C Bone; R A Balk; F B Cerra. Definitions for sepsis and organ failure and guidelines for the use of innovative therapies in sepsis. Chest (1992)
|
||||
- J L Vincent; R Moreno; J Takala. The SOFA (Sepsis-related Organ Failure Assessment) score to describe organ dysfunction/failure. On behalf of the Working Group on Sepsis-Related Problems of the European Society of Intensive Care Medicine. Intensive Care Med (1996)
|
||||
- M Levi; C H Toh; J Thachil; H G Watson. Guidelines for the diagnosis and management of disseminated intravascular coagulation. Br J Haematol (2009)
|
||||
- H Wada; H Asakura; K Okamoto. Expert consensus for the treatment of disseminated intravascular coagulation in Japan. Thromb Res (2010)
|
||||
- M Di Nisio; F Baudo; B Cosmi. Diagnosis and treatment of disseminated intravascular coagulation: guidelines of the Italian Society for Haemostasis and Thrombosis (SISET). Thromb Res (2012)
|
||||
- H Wada; J Thachil; M Di Nisio. Guidance for diagnosis and treatment of DIC from harmonization of the recommendations from three guidelines. J Thromb Haemost (2013)
|
||||
- Y Umemura; K Yamakawa; T Kiguchi. Design and evaluation of new unified criteria for disseminated intravascular coagulation based on the Japanese Association for Acute Medicine Criteria. Clin Appl Thromb Hemost (2016)
|
||||
- T Iba; M Di Nisio; J Thachil. Revision of the Japanese Association for Acute Medicine (JAAM) disseminated intravascular coagulation (DIC) diagnostic criteria using antithrombin activity. Crit Care (2016)
|
||||
- T Iba; M D Nisio; J H Levy; N Kitamura; J Thachil. New criteria for sepsis-induced coagulopathy (SIC) following the revised sepsis definition: a retrospective analysis of a nationwide survey. BMJ Open (2017)
|
||||
- S Kushimoto; S Gando; D Saitoh. Clinical course and outcome of disseminated intravascular coagulation diagnosed by Japanese Association for Acute Medicine criteria. Comparison between sepsis and trauma. Thromb Haemost (2008)
|
||||
- A Sawamura; M Hayakawa; S Gando. Application of the Japanese Association for Acute Medicine disseminated intravascular coagulation diagnostic criteria for patients at an early phase of trauma. Thromb Res (2009)
|
||||
- K Iwai; S Uchino; A Endo; K Saito; Y Kase; M Takinami. Prospective external validation of the new scoring system for disseminated intravascular coagulation by Japanese Association for Acute Medicine (JAAM). Thromb Res (2010)
|
||||
- T Takemitsu; H Wada; T Hatada. Prospective evaluation of three different diagnostic criteria for disseminated intravascular coagulation. Thromb Haemost (2011)
|
@ -0,0 +1,77 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Exploring Causal Relationships b ... erans: A Mendelian Randomization Study
|
||||
item-2 at level 1: paragraph: Bihui Zhang; Department of Inter ... versity First Hospital, Beijing, China
|
||||
item-3 at level 1: text: Background Thromboangiitis oblit ... ective therapeutic strategies for TAO.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Thromboangiitis obliterans (TAO) ... d 74%, and 19 and 66%, respectively. 4
|
||||
item-6 at level 2: text: An immune-mediated response is i ... ew diagnostic and therapeutic avenues.
|
||||
item-7 at level 2: text: Mendelian randomization (MR) is ... levels on the risk of developing TAO.
|
||||
item-8 at level 1: section_header: Study Design
|
||||
item-9 at level 2: text: The current research represents ... numbers GCST90274758 to GCST90274848).
|
||||
item-10 at level 2: text: Flowchart of the study is shown ... ), and ICD-10 (I73.1) classifications.
|
||||
item-11 at level 1: section_header: Instrumental Variable Selection
|
||||
item-12 at level 2: text: We employed comprehensive GWAS s ... (available in the online version). 14
|
||||
item-13 at level 1: section_header: Statistical Analysis
|
||||
item-14 at level 2: text: The random-effects inverse varia ... overlap with the FinnGen database. 20
|
||||
item-15 at level 2: text: Heterogeneity among individual S ... packages in R software version 4.3.2.
|
||||
item-16 at level 1: section_header: Selection of Instrumental Variables
|
||||
item-17 at level 2: text: The association between 91 circu ... SNPs, and stem cell factor to 36 SNPs.
|
||||
item-18 at level 1: section_header: The Causal Role of Inflammation-Related Proteins in TAO
|
||||
item-19 at level 2: text: Elevated genetically predicted C ... 9) suggested an increased risk of TAO.
|
||||
item-20 at level 1: section_header: Sensitivity Analysis
|
||||
item-21 at level 2: text: MR–Egger regression intercepts w ... al relationships, as shown in Fig. 5 .
|
||||
item-22 at level 1: section_header: MVMR Analysis
|
||||
item-23 at level 2: text: Fig. 6 reveals that, even after ... stem cell factor ( p = 0.159) on TAO.
|
||||
item-24 at level 1: section_header: Discussion
|
||||
item-25 at level 2: text: C–C motif chemokines, a subfamil ... a biomarker and a therapeutic target.
|
||||
item-26 at level 2: text: CCL23, also known as myeloid pro ... r investigation into its precise role.
|
||||
item-27 at level 2: text: GDNF was first discovered as a p ... athways, akin to its action in IBD. 34
|
||||
item-28 at level 1: section_header: Figures
|
||||
item-30 at level 1: picture
|
||||
item-30 at level 2: caption: Fig. 1 The flowchart of the study. The whole workflow of MR analysis. GWAS, genome-wide association study; TAO, thromboangiitis obliterans; SNP, single nucleotide polymorphism; MR, Mendelian randomization.
|
||||
item-32 at level 1: picture
|
||||
item-32 at level 2: caption: Fig. 2 Causal relationship between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
item-34 at level 1: picture
|
||||
item-34 at level 2: caption: Fig. 3 Scatter plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
item-36 at level 1: picture
|
||||
item-36 at level 2: caption: Fig. 4 Funnel plots of circulating inflammatory proteins.
|
||||
item-38 at level 1: picture
|
||||
item-38 at level 2: caption: Fig. 5 Leave-one-out plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
item-40 at level 1: picture
|
||||
item-40 at level 2: caption: Fig. 6 Results from multivariable Mendelian randomization analysis on the impact of circulating inflammatory proteins on TAO, after adjusting for genetically predicted smoking. IVW, inverse variance weighting; TAO, thromboangiitis obliterans.
|
||||
item-41 at level 1: section_header: References
|
||||
item-42 at level 1: list: group list
|
||||
item-43 at level 2: list_item: J W Olin. Thromboangiitis oblite ... uerger's disease). N Engl J Med (2000)
|
||||
item-44 at level 2: list_item: X L Sun; B Y Law; I R de Seabra ... othelial cells. Atherosclerosis (2017)
|
||||
item-45 at level 2: list_item: J W Olin. Thromboangiitis oblite ... progress made. J Am Heart Assoc (2018)
|
||||
item-46 at level 2: list_item: A Le Joncour; S Soudet; A Dupont ... 224 patients. J Am Heart Assoc (2018)
|
||||
item-47 at level 2: list_item: S S Ketha; L T Cooper. The role ... er's disease). Ann N Y Acad Sci (2013)
|
||||
item-48 at level 2: list_item: M Kobayashi; M Ito; A Nakagawa; ... eritis obliterans). J Vasc Surg (1999)
|
||||
item-49 at level 2: list_item: R Dellalibera-Joviliano; E E Jov ... rans patients. Clin Exp Immunol (2012)
|
||||
item-50 at level 2: list_item: G Davey Smith; G Hemani. Mendeli ... ological studies. Hum Mol Genet (2014)
|
||||
item-51 at level 2: list_item: C A Emdin; A V Khera; S Kathiresan. Mendelian randomization. JAMA (2017)
|
||||
item-52 at level 2: list_item: S C Larsson; A S Butterworth; S ... s and applications. Eur Heart J (2023)
|
||||
item-53 at level 2: list_item: V W Skrivankova; R C Richmond; B ... xplanation and elaboration. BMJ (2021)
|
||||
item-54 at level 2: list_item: J H Zhao; D Stacey; N Eriksson. ... herapeutic targets. Nat Immunol (2023)
|
||||
item-55 at level 2: list_item: M I Kurki; J Karjalainen; P Palt ... ped isolated population. Nature (2023)
|
||||
item-56 at level 2: list_item: M A Kamat; J A Blackshaw; R Youn ... pe associations. Bioinformatics (2019)
|
||||
item-57 at level 2: list_item: S Burgess; F Dudbridge; S G Thom ... mmarized data methods. Stat Med (2016)
|
||||
item-58 at level 2: list_item: O O Yavorska; S Burgess. Mendeli ... ummarized data. Int J Epidemiol (2017)
|
||||
item-59 at level 2: list_item: J Bowden; G Davey Smith; S Burge ... ger regression. Int J Epidemiol (2015)
|
||||
item-60 at level 2: list_item: J Bowden; G Davey Smith; P C Hay ... dian estimator. Genet Epidemiol (2016)
|
||||
item-61 at level 2: list_item: M Verbanck; C Y Chen; B Neale; R ... traits and diseases. Nat Genet (2018)
|
||||
item-62 at level 2: list_item: P R Loh; G Kichaev; S Gazal; A P ... obank-scale datasets. Nat Genet (2018)
|
||||
item-63 at level 2: list_item: D Staiger; H James. Stock. 1997. ... eak instruments.”. Econometrica (1997)
|
||||
item-64 at level 2: list_item: C E Hughes; R JB Nibbs. A guide ... nes and their receptors. FEBS J (2018)
|
||||
item-65 at level 2: list_item: T T Chang; J W Chen. Emerging ro ... s or foes?. Cardiovasc Diabetol (2016)
|
||||
item-66 at level 2: list_item: S G Irving; P F Zipfel; J Balke. ... romosome 17q. Nucleic Acids Res (1990)
|
||||
item-67 at level 2: list_item: W Lim; H Bae; F W Bazer; G Song. ... ernal-fetal interface. Dev Biol (2018)
|
||||
item-68 at level 2: list_item: C H Shih; S F van Eeden; Y Goto; ... om the bone marrow. Exp Hematol (2005)
|
||||
item-69 at level 2: list_item: D Karan. CCL23 in balancing the ... cellular carcinoma. Front Oncol (2021)
|
||||
item-70 at level 2: list_item: A Simats; T García-Berrocoso; A ... uman brain damage. J Intern Med (2018)
|
||||
item-71 at level 2: list_item: M Brink; E Berglin; A J Mohammad ... sculitides. Arthritis Rheumatol (2023)
|
||||
item-72 at level 2: list_item: C S Kim; J H Kang; H R Cho. Pote ... ase from monocytes. Inflamm Res (2011)
|
||||
item-73 at level 2: list_item: M Saarma; H Sariola. Other neuro ... factor (GDNF). Microsc Res Tech (1999)
|
||||
item-74 at level 2: list_item: Z Zhang; G Y Sun; S Ding. Glial ... ischemic stroke. Neurochem Res (2021)
|
||||
item-75 at level 2: list_item: H Chen; T Han; L Gao; D Zhang. T ... ease. J Interferon Cytokine Res (2022)
|
||||
item-76 at level 2: list_item: M Meir; S Flemming; N Burkard; J ... siol Gastrointest Liver Physiol (2016)
|
1219
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786809.nxml.json
Normal file
1219
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786809.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
116
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786809.nxml.md
Normal file
116
tests/data/groundtruth/docling_v2/10-1055-s-0044-1786809.nxml.md
Normal file
@ -0,0 +1,116 @@
|
||||
# Exploring Causal Relationships between Circulating Inflammatory Proteins and Thromboangiitis Obliterans: A Mendelian Randomization Study
|
||||
|
||||
Bihui Zhang; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Rui He; Department of Plastic Surgery and Burn, Peking University First Hospital, Beijing, China; Ziping Yao; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Pengyu Li; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Guochen Niu; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Ziguang Yan; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Yinghua Zou; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Xiaoqiang Tong; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China; Min Yang; Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China
|
||||
|
||||
Background Thromboangiitis obliterans (TAO) is a vascular condition characterized by poor prognosis and an unclear etiology. This study employs Mendelian randomization (MR) to investigate the causal impact of circulating inflammatory proteins on TAO. Methods In this MR analysis, summary statistics from a genome-wide association study meta-analysis of 91 inflammation-related proteins were integrated with independently sourced TAO data from the FinnGen consortium's R10 release. Methods such as inverse variance weighting, MR–Egger regression, weighted median approaches, MR-PRESSO, and multivariable MR (MVMR) analysis were utilized. Results The analysis indicated an association between higher levels of C–C motif chemokine 4 and a reduced risk of TAO, with an odds ratio (OR) of 0.44 (95% confidence interval [CI]: 0.29–0.67; p = 1.4 × 10 −4 ; adjusted p = 0.013). Similarly, glial cell line-derived neurotrophic factor exhibited a suggestively protective effect against TAO (OR: 0.43, 95% CI: 0.22–0.81; p = 0.010; adjusted p = 0.218). Conversely, higher levels of C–C motif chemokine 23 were suggestively linked to an increased risk of TAO (OR: 1.88, 95% CI: 1.21–2.93; p = 0.005; adjusted p = 0.218). The sensitivity analysis and MVMR revealed no evidence of heterogeneity or pleiotropy. Conclusion This study identifies C–C motif chemokine 4 and glial cell line-derived neurotrophic factor as potential protective biomarkers for TAO, whereas C–C motif chemokine 23 emerges as a suggestive risk marker. These findings elucidate potential causal relationships and highlight the significance of these proteins in the pathogenesis and prospective therapeutic strategies for TAO.
|
||||
|
||||
## Introduction
|
||||
|
||||
Thromboangiitis obliterans (TAO), commonly referred to as Buerger's disease, is a distinct nonatherosclerotic, segmental inflammatory disorder that predominantly affects small- and medium-sized arteries and veins in both the upper and lower extremities. 1 TAO, with an annual incidence of 12.6 per 100,000 in the United States, is observed worldwide but is more prevalent in the Middle East and Far East. 1 The disease typically presents in patients <45 years of age. Despite over a century of recognition, advancements in comprehending its etiology, pathophysiology, and optimal treatment strategies have been limited. 2 3 Vascular event-free survival and amputation-free survival rates at 5, 10, and 15 years are reported at 41 and 85%, 23 and 74%, and 19 and 66%, respectively. 4
|
||||
|
||||
An immune-mediated response is implicated in TAO pathogenesis. 5 Recent studies have identified a balanced presence of CD4+ and CD8+ T cells near the internal lamina. Additionally, macrophages and S100+ dendritic cells are present in thrombi and intimal layers. 5 6 Elevated levels of diverse cytokines in TAO patients highlight the critical importance of inflammatory and autoimmune mechanisms. 2 7 Nonetheless, the clinical significance of these cytokines is yet to be fully understood, due to the scarcity of comprehensive experimental and clinical studies. Investigating circulating inflammatory proteins could shed light on the biological underpinnings of TAO, offering new diagnostic and therapeutic avenues.
|
||||
|
||||
Mendelian randomization (MR) is an approach that leverages genetic variants associated with specific exposures to infer causal relationships between risk factors and disease outcomes. 8 This method, which relies on the random distribution of genetic variants during meiosis, helps minimize confounding factors and biases inherent in environmental or behavioral influences. 9 It is particularly useful in addressing limitations of conventional observational studies and randomized controlled trials, especially for rare diseases like TAO. 10 For a robust MR analysis, three critical assumptions must be met: the genetic variants should be strongly associated with the risk factor, not linked to confounding variables, and affect the outcome solely through the risk factor, excluding any direct causal pathways. 10 In the present study, a MR was employed to evaluate the impact of genetically proxied inflammatory protein levels on the risk of developing TAO.
|
||||
|
||||
## Study Design
|
||||
|
||||
The current research represents a MR analysis conducted in accordance with STROBE-MR guidelines. 11 Genetic variants associated with circulating inflammatory proteins were identified from a comprehensive genome-wide meta-analysis, which analyzed 91 plasma proteins in a sample of 14,824 individuals of European descent, spanning 11 distinct cohorts. 12 This study utilized the Olink Target-96 Inflammation immunoassay panel to focus on 92 inflammation-related proteins. However, due to assay issues, brain-derived neurotrophic factor was subsequently removed from the panel by Olink, resulting in the inclusion of 91 proteins in the analysis. Protein quantitative trait locus (pQTL) mapping was employed to determine genetic impacts on these inflammation-related proteins. The data on these 91 plasma inflammatory proteins, including the pQTL findings, are accessible in the EBI GWAS Catalog (accession numbers GCST90274758 to GCST90274848).
|
||||
|
||||
Flowchart of the study is shown in Fig. 1 . Summary statistics for TAO in the genome-wide association study (GWAS) were derived from the FinnGen consortium R10 release (finngen\_R10\_I9\_THROMBANG). Launched in 2017, the FinnGen study is a comprehensive nationwide effort combining genetic information from Finnish biobanks with digital health records from national registries. 13 The GWAS included a substantial cohort of 412,181 Finnish participants, analyzing 21,311,942 variants, with TAO cases (114) and controls (381,977) identified according to International Classification of Diseases (ICD)-8 (44310), ICD-9 (4431A), and ICD-10 (I73.1) classifications.
|
||||
|
||||
## Instrumental Variable Selection
|
||||
|
||||
We employed comprehensive GWAS summary statistics for 91 inflammation-related proteins to select genetic instruments. The criteria for eligibility included: (1) single nucleotide polymorphisms (SNPs) must exhibit a genome-wide significant association with each protein ( p < 5.0 × 10 −6 ); (2) SNPs should be independently associated with the exposure, meaning they must not be in linkage disequilibrium (defined as r 2 < 0.01, distance > 10,000 kb) with other SNPs for the same exposure; (3) the chosen genetic instruments must account for at least 0.1% of the exposure variance, ensuring sufficient strength for the genetic instrumental variables (IVs) to assess a causal effect. For each exposure, we harmonized IVs to ensure compatibility and consistency between different data sources and variables. Since smoking is a well-accepted risk factor for TAO, SNPs that were associated with smoking or thrombo-associated events were deleted for MR due to the PhenoScanner V2 database (http://www.phenoscanner.medschl.cam.ac.uk/), details are shown in Supplementary Table S1 (available in the online version). 14
|
||||
|
||||
## Statistical Analysis
|
||||
|
||||
The random-effects inverse variance weighted (IVW) method was used as the primary MR method to estimate the causal relationships between circulating inflammatory proteins and TAO. The IVW method offers a consistent estimate of the causal effect of exposure on the outcome, under the assumption that each genetic variant meets the IV criteria. 15 16 For sensitivity analysis, multiple methods, including MR–Egger regression, MR pleiotropy Residual Sum and Outlier (MR-PRESSO), and weighted median approaches, were employed in this study to examine the robustness of results. An adaptation of MR–Egger regression is capable of identifying certain violations of standard IV assumptions, providing an adjusted estimate that is unaffected by these issues. This method also measures the extent of directional pleiotropy and serves as a robustness check. 17 The weighted median is consistent even when up to 50% of the information comes from invalid IVs. 18 For SNPs numbering more than three, MRPRESSO was employed to identify and adjust for horizontal pleiotropy. This method can pinpoint horizontal pleiotropic outliers among SNPs and deliver results matching those from IVW when outliers are absent. 19 Leave-one-out analysis was conducted to determine if significant findings were driven by a single SNP. To mitigate potential pleiotropic effects attributable to smoking, a multivariable MR (MVMR) analysis incorporating adjustments for genetically predicted smoking behaviors was conducted. The GWAS data pertaining to smoking were sourced from the EBI GWAS Catalog (GCST90029014), ensuring no sample overlap with the FinnGen database. 20
|
||||
|
||||
Heterogeneity among individual SNP-based estimates was assessed using Cochran's Q value. In instances with only one SNP for the exposure, the Wald ratio method was applied, dividing the SNP–outcome association estimate by the SNP–exposure association estimate to determine the causal link. The F-statistic was estimated to evaluate the strength of each instrument, with an F-statistic greater than 10 indicating a sufficiently strong instrument. 21 False discovery rate (FDR) correction was conducted by the Benjamini–Hochberg method, with a FDR of adjusted p < 0.1. A suggestive association was considered when p < 0.05 but adjusted p ≥ 0.1. All analyses were two-sided and performed using the TwoSampleMR (version 0.5.8), MendelianRandomization (version 0.9.0), and MRPRESSO (version 1.0) packages in R software version 4.3.2.
|
||||
|
||||
## Selection of Instrumental Variables
|
||||
|
||||
The association between 91 circulating inflammatory proteins and TAO through the IVW method is detailed in Supplementary Table S2 (available in the online version). After an extensive quality control review, 173 SNPs associated with six circulating inflammation-related proteins were identified as IVs for TAO. Notably, C–C motif chemokine 23 (CCL23) levels were linked to 30 SNPs, C–C motif chemokine 25 to 37 SNPs, C–C motif chemokine 28 to 21 SNPs, C–C motif chemokine 4 (CCL4) to 27 SNPs, glial cell line-derived neurotrophic factor (GDNF) to 22 SNPs, and stem cell factor to 36 SNPs.
|
||||
|
||||
## The Causal Role of Inflammation-Related Proteins in TAO
|
||||
|
||||
Elevated genetically predicted CCL4 levels were linked to a decreased TAO risk, as shown in Fig. 2 . Specifically, each unit increase in the genetically predicted level of CCL4 was associated with an odds ratio (OR) of 0.44 (95% confidence interval [CI]: 0.29–0.67; p = 1.4 × 10 −4 ; adjusted p = 0.013) for TAO. Similarly, levels of C–C motif chemokine 28 (OR: 0.33; 95% CI: 0.12–0.91; p = 0.034; adjusted p = 0.579), GDNF (OR: 0.43, 95% CI: 0.22–0.81; p = 0.010; adjusted p = 0.218), and stem cell factor (OR: 0.49, 95% CI: 0.29–0.84; p = 0.009; adjusted p = 0.218) also showed a suggestive inverse association with TAO, as depicted in Fig. 2 . Conversely, higher levels of genetically predicted CCL23 (OR: 1.88, 95% CI: 1.21–2.93; p = 0.005; adjusted p = 0.218) and C–C motif chemokine 25 (OR: 1.44, 95% CI: 1.01–2.06; p = 0.046; adjusted p = 0.579) suggested an increased risk of TAO.
|
||||
|
||||
## Sensitivity Analysis
|
||||
|
||||
MR–Egger regression intercepts were not significantly different from zero, suggesting no horizontal pleiotropy (all intercept p > 0.05), as depicted in Fig. 2 . The MR-PRESSO test also found no pleiotropic outliers among these SNPs ( p > 0.05), further corroborating the absence of pleiotropy. Consistency with these findings was confirmed by the weighted median approach. Scatter plots illustrating the genetic associations with circulating inflammatory proteins and TAO are presented in Fig. 3 . Cochran's Q test detected no heterogeneity among the genetic IVs for the measured levels (all p > 0.1). Additionally, funnel plots showed no significant asymmetry, suggesting negligible publication bias and directional horizontal pleiotropy ( Fig. 4 ). The robustness of these causal estimates was further validated by a leave-one-out analysis, demonstrating that no single IV disproportionately influenced the observed causal relationships, as shown in Fig. 5 .
|
||||
|
||||
## MVMR Analysis
|
||||
|
||||
Fig. 6 reveals that, even after adjusting for genetically predicted smoking, the level of CCL4 still exerts a direct protective influence against TAO (IVW: OR= 0.54, p = 0.009; MR–Egger: p = 0.013, intercept p = 0.843). The level of CCL23 is suggestively associated with an increased risk of TAO (IVW: OR = 2.24, p = 0.011; MR–Egger: p = 0.019, intercept p = 0.978). GDNF levels show a suggestively protective effect against TAO (IVW: OR = 0.315, p = 0.016; MR–Egger: p = 0.020, intercept p = 0.634). However, no significant direct impacts were observed for the levels of C–C motif chemokine 25 ( p = 0.079), C–C motif chemokine 28 ( p = 0.179), or stem cell factor ( p = 0.159) on TAO.
|
||||
|
||||
## Discussion
|
||||
|
||||
C–C motif chemokines, a subfamily of small, secreted proteins, engage with G protein-coupled chemokine receptors on the cell surface, which are distinguished by directly juxtaposed cysteines. 22 Their renowned function is to orchestrate cell migration, particularly of leukocytes, playing crucial roles in both protective and destructive immune and inflammatory responses. 23 CCL4, also known as the macrophage inflammatory protein, is a significant member of the CC chemokine family. This protein, encoded by the CCL4 gene in humans, interacts with CCR5 and is identified as a pivotal human immunodeficiency virus-suppressive factor secreted by CD8+ T-cells. 24 Additionally, its involvement has been increasingly recognized in cardiovascular diseases. 23 While CCL4 exhibits a protective effect in Type 1 diabetes mellitus patients, it is also found to be elevated in conditions such as atherosclerosis and myocardial infarction. 23 CCL4's ability to activate PI3K and MAPK signaling pathways and inhibit the NF-κB pathway contributes to the enhanced proliferation of porcine uterine luminal epithelial cells. 25 This mechanism may elucidate CCL4's protective role in TAO, as demonstrated in this study (OR: 0.44; 95% CI: 0.29–0.67; p = 1.4 × 10 −4 ; adjusted p = 0.013), highlighting its potential as both a biomarker and a therapeutic target.
|
||||
|
||||
CCL23, also known as myeloid progenitor inhibitory factor-1, represents another key member of the CC chemokine subfamily. It plays a role in the inflammatory process, capable of inhibiting the release of polymorphonuclear leukocytes from the bone marrow. 26 As a relatively novel chemokine, CCL23's biological significance remains partially unexplored. 27 Circulating CCL23 exhibited a continuous increase from baseline to 24 hours in ischemic stroke patients and could predict the clinical outcome after 3 months. 28 Elevated blood levels of CCL23 have been linked with antineutrophil cytoplasmic antibody-associated vasculitis. 29 Although its mechanisms are largely uncharted, CCL23 is known to facilitate the chemotaxis of human THP-1 monocytes, increase adhesion molecule CD11c expression, and stimulate MMP-2 release from THP-1 monocytes. 30 Moreover, CCL23 can enhance leucocyte trafficking and direct the migration of monocytes, macrophages, dendritic cells, and T lymphocytes. 27 This study posits CCL23 as a suggestive risk factor for TAO (OR: 1.88, 95% CI: 1.21–2.93; p = 0.005; adjusted p = 0.218), warranting further investigation into its precise role.
|
||||
|
||||
GDNF was first discovered as a potent survival factor for midbrain dopaminergic neurons and has shown promise in preserving these neurons in animal models of Parkinson's disease. 31 Recent studies have further elucidated GDNF's significance in neuronal safeguarding and cerebral recuperation. 32 Additionally, GDNF has been implicated in inflammatory bowel disease (IBD), where it bolsters the integrity of the intestinal epithelial barrier and facilitates wound repair, while also exerting an immunomodulatory influence. 33 34 In our study, GDNF is identified as a potential protective agent against TAO, with an OR of 0.43 (95% CI: 0.22–0.81; p = 0.010; adjusted p = 0.218). It is postulated that GDNF's protective mechanism in TAO may involve the inhibition of apoptosis through the activation of MAPK and AKT pathways, akin to its action in IBD. 34
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1 The flowchart of the study. The whole workflow of MR analysis. GWAS, genome-wide association study; TAO, thromboangiitis obliterans; SNP, single nucleotide polymorphism; MR, Mendelian randomization.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2 Causal relationship between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3 Scatter plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 4 Funnel plots of circulating inflammatory proteins.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 5 Leave-one-out plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 6 Results from multivariable Mendelian randomization analysis on the impact of circulating inflammatory proteins on TAO, after adjusting for genetically predicted smoking. IVW, inverse variance weighting; TAO, thromboangiitis obliterans.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- J W Olin. Thromboangiitis obliterans (Buerger's disease). N Engl J Med (2000)
|
||||
- X L Sun; B Y Law; I R de Seabra Rodrigues Dias; S WF Mok; Y Z He; V K Wong. Pathogenesis of thromboangiitis obliterans: gene polymorphism and immunoregulation of human vascular endothelial cells. Atherosclerosis (2017)
|
||||
- J W Olin. Thromboangiitis obliterans: 110 years old and little progress made. J Am Heart Assoc (2018)
|
||||
- A Le Joncour; S Soudet; A Dupont. Long-term outcome and prognostic factors of complications in thromboangiitis obliterans (Buerger's Disease): a multicenter study of 224 patients. J Am Heart Assoc (2018)
|
||||
- S S Ketha; L T Cooper. The role of autoimmunity in thromboangiitis obliterans (Buerger's disease). Ann N Y Acad Sci (2013)
|
||||
- M Kobayashi; M Ito; A Nakagawa; N Nishikimi; Y Nimura. Immunohistochemical analysis of arterial wall cellular infiltration in Buerger's disease (endarteritis obliterans). J Vasc Surg (1999)
|
||||
- R Dellalibera-Joviliano; E E Joviliano; J S Silva; P R Evora. Activation of cytokines corroborate with development of inflammation and autoimmunity in thromboangiitis obliterans patients. Clin Exp Immunol (2012)
|
||||
- G Davey Smith; G Hemani. Mendelian randomization: genetic anchors for causal inference in epidemiological studies. Hum Mol Genet (2014)
|
||||
- C A Emdin; A V Khera; S Kathiresan. Mendelian randomization. JAMA (2017)
|
||||
- S C Larsson; A S Butterworth; S Burgess. Mendelian randomization for cardiovascular diseases: principles and applications. Eur Heart J (2023)
|
||||
- V W Skrivankova; R C Richmond; B AR Woolf. Strengthening the reporting of observational studies in epidemiology using mendelian randomisation (STROBE-MR): explanation and elaboration. BMJ (2021)
|
||||
- J H Zhao; D Stacey; N Eriksson. Genetics of circulating inflammatory proteins identifies drivers of immune-mediated disease risk and therapeutic targets. Nat Immunol (2023)
|
||||
- M I Kurki; J Karjalainen; P Palta. FinnGen provides genetic insights from a well-phenotyped isolated population. Nature (2023)
|
||||
- M A Kamat; J A Blackshaw; R Young. PhenoScanner V2: an expanded tool for searching human genotype-phenotype associations. Bioinformatics (2019)
|
||||
- S Burgess; F Dudbridge; S G Thompson. Combining information on multiple instrumental variables in Mendelian randomization: comparison of allele score and summarized data methods. Stat Med (2016)
|
||||
- O O Yavorska; S Burgess. MendelianRandomization: an R package for performing Mendelian randomization analyses using summarized data. Int J Epidemiol (2017)
|
||||
- J Bowden; G Davey Smith; S Burgess. Mendelian randomization with invalid instruments: effect estimation and bias detection through Egger regression. Int J Epidemiol (2015)
|
||||
- J Bowden; G Davey Smith; P C Haycock; S Burgess. Consistent estimation in mendelian randomization with some invalid instruments using a weighted median estimator. Genet Epidemiol (2016)
|
||||
- M Verbanck; C Y Chen; B Neale; R Do. Detection of widespread horizontal pleiotropy in causal relationships inferred from Mendelian randomization between complex traits and diseases. Nat Genet (2018)
|
||||
- P R Loh; G Kichaev; S Gazal; A P Schoech; A L Price. Mixed-model association for biobank-scale datasets. Nat Genet (2018)
|
||||
- D Staiger; H James. Stock. 1997.“instrumental variables with weak instruments.”. Econometrica (1997)
|
||||
- C E Hughes; R JB Nibbs. A guide to chemokines and their receptors. FEBS J (2018)
|
||||
- T T Chang; J W Chen. Emerging role of chemokine CC motif ligand 4 related mechanisms in diabetes mellitus and cardiovascular disease: friends or foes?. Cardiovasc Diabetol (2016)
|
||||
- S G Irving; P F Zipfel; J Balke. Two inflammatory mediator cytokine genes are closely linked and variably amplified on chromosome 17q. Nucleic Acids Res (1990)
|
||||
- W Lim; H Bae; F W Bazer; G Song. Characterization of C-C motif chemokine ligand 4 in the porcine endometrium during the presence of the maternal-fetal interface. Dev Biol (2018)
|
||||
- C H Shih; S F van Eeden; Y Goto; J C Hogg. CCL23/myeloid progenitor inhibitory factor-1 inhibits production and release of polymorphonuclear leukocytes and monocytes from the bone marrow. Exp Hematol (2005)
|
||||
- D Karan. CCL23 in balancing the act of endoplasmic reticulum stress and antitumor immunity in hepatocellular carcinoma. Front Oncol (2021)
|
||||
- A Simats; T García-Berrocoso; A Penalba. CCL23: a new CC chemokine involved in human brain damage. J Intern Med (2018)
|
||||
- M Brink; E Berglin; A J Mohammad. Protein profiling in presymptomatic individuals separates myeloperoxidase-antineutrophil cytoplasmic antibody and proteinase 3-antineutrophil cytoplasmic antibody vasculitides. Arthritis Rheumatol (2023)
|
||||
- C S Kim; J H Kang; H R Cho. Potential involvement of CCL23 in atherosclerotic lesion formation/progression by the enhancement of chemotaxis, adhesion molecule expression, and MMP-2 release from monocytes. Inflamm Res (2011)
|
||||
- M Saarma; H Sariola. Other neurotrophic factors: glial cell line-derived neurotrophic factor (GDNF). Microsc Res Tech (1999)
|
||||
- Z Zhang; G Y Sun; S Ding. Glial cell line-derived neurotrophic factor and focal ischemic stroke. Neurochem Res (2021)
|
||||
- H Chen; T Han; L Gao; D Zhang. The involvement of glial cell-derived neurotrophic factor in inflammatory bowel disease. J Interferon Cytokine Res (2022)
|
||||
- M Meir; S Flemming; N Burkard; J Wagner; C T Germer; N Schlegel. The glial cell-line derived neurotrophic factor: a novel regulator of intestinal barrier function in health and disease. Am J Physiol Gastrointest Liver Physiol (2016)
|
@ -0,0 +1,13 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Bilateral External Ophthalmoplegia Induced by Herpes Zoster Ophthalmicus
|
||||
item-2 at level 1: paragraph: Fumitaka Shimizu; Department of ... ity Graduate School of Medicine, Japan
|
||||
item-3 at level 1: section_header: References
|
||||
item-4 at level 1: list: group list
|
||||
item-5 at level 2: list_item: T Shima; K Yamashita; K Furuta; ... hormone secretion.. Intern Med (2024)
|
||||
item-6 at level 2: list_item: N Yuki. Infectious origins of, a ... r syndromes.. Lancet Infect Dis (2001)
|
||||
item-7 at level 2: list_item: AC Rizzo; M Ulivi; N Brunelli; . ... ter ophthalmicus.. Muscle Nerve (2017)
|
||||
item-8 at level 2: list_item: CC Wang; JC Shiang; JT Chen; SH ... ophthalmicus.. J Gen Intern Med (2011)
|
||||
item-9 at level 2: list_item: S Fujiwara; Y Manabe; Y Nakano; ... retic hormone.. Case Rep Neurol (2021)
|
||||
item-10 at level 2: list_item: A Benkirane; F London. Miller Fi ... case report.. Acta Neurol Belg (2022)
|
||||
item-11 at level 2: list_item: T Murakami; A Yoshihara; S Kikuc ... n of SIADH.. Rinsho Shinkeigaku (2013)
|
||||
item-12 at level 2: list_item: MN Seleh; MB Khazaeli; RH Wheele ... etastatic melanoma.. Cancer Res (1992)
|
215
tests/data/groundtruth/docling_v2/1349-7235-63-2593.nxml.json
Normal file
215
tests/data/groundtruth/docling_v2/1349-7235-63-2593.nxml.json
Normal file
@ -0,0 +1,215 @@
|
||||
{
|
||||
"schema_name": "DoclingDocument",
|
||||
"version": "1.0.0",
|
||||
"name": "1349-7235-63-2593",
|
||||
"origin": {
|
||||
"mimetype": "text/xml",
|
||||
"binary_hash": 4390066962600497473,
|
||||
"filename": "1349-7235-63-2593.nxml"
|
||||
},
|
||||
"furniture": {
|
||||
"self_ref": "#/furniture",
|
||||
"children": [],
|
||||
"name": "_root_",
|
||||
"label": "unspecified"
|
||||
},
|
||||
"body": {
|
||||
"self_ref": "#/body",
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/0"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/1"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/2"
|
||||
},
|
||||
{
|
||||
"$ref": "#/groups/0"
|
||||
}
|
||||
],
|
||||
"name": "_root_",
|
||||
"label": "unspecified"
|
||||
},
|
||||
"groups": [
|
||||
{
|
||||
"self_ref": "#/groups/0",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/3"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/4"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/5"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/6"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/7"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/8"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/9"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/10"
|
||||
}
|
||||
],
|
||||
"name": "list",
|
||||
"label": "list"
|
||||
}
|
||||
],
|
||||
"texts": [
|
||||
{
|
||||
"self_ref": "#/texts/0",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "title",
|
||||
"prov": [],
|
||||
"orig": "Bilateral External Ophthalmoplegia Induced by Herpes Zoster Ophthalmicus",
|
||||
"text": "Bilateral External Ophthalmoplegia Induced by Herpes Zoster Ophthalmicus"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/1",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "paragraph",
|
||||
"prov": [],
|
||||
"orig": "Fumitaka Shimizu; Department of Neurology and Clinical Neuroscience, Yamaguchi University Graduate School of Medicine, Japan",
|
||||
"text": "Fumitaka Shimizu; Department of Neurology and Clinical Neuroscience, Yamaguchi University Graduate School of Medicine, Japan"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/2",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "section_header",
|
||||
"prov": [],
|
||||
"orig": "References",
|
||||
"text": "References",
|
||||
"level": 1
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/3",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "T Shima; K Yamashita; K Furuta; . Right-sided herpes zoster ophthalmicus complicated by bilateral third, fourth, and sixth cranial nerve palsies and syndrome of inappropriate antidiuretic hormone secretion.. Intern Med (2024)",
|
||||
"text": "T Shima; K Yamashita; K Furuta; . Right-sided herpes zoster ophthalmicus complicated by bilateral third, fourth, and sixth cranial nerve palsies and syndrome of inappropriate antidiuretic hormone secretion.. Intern Med (2024)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/4",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "N Yuki. Infectious origins of, and molecular mimicry in, Guillain-Barr\u00e9 and Fisher syndromes.. Lancet Infect Dis (2001)",
|
||||
"text": "N Yuki. Infectious origins of, and molecular mimicry in, Guillain-Barr\u00e9 and Fisher syndromes.. Lancet Infect Dis (2001)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/5",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "AC Rizzo; M Ulivi; N Brunelli; . A case of Miller Fisher syndrome associated with preceding herpes zoster ophthalmicus.. Muscle Nerve (2017)",
|
||||
"text": "AC Rizzo; M Ulivi; N Brunelli; . A case of Miller Fisher syndrome associated with preceding herpes zoster ophthalmicus.. Muscle Nerve (2017)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/6",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "CC Wang; JC Shiang; JT Chen; SH Lin. Syndrome of inappropriate secretion of antidiuretic hormone associated with localized herpes zoster ophthalmicus.. J Gen Intern Med (2011)",
|
||||
"text": "CC Wang; JC Shiang; JT Chen; SH Lin. Syndrome of inappropriate secretion of antidiuretic hormone associated with localized herpes zoster ophthalmicus.. J Gen Intern Med (2011)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/7",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "S Fujiwara; Y Manabe; Y Nakano; Y Omote; H Narai; K Abe. A case of Miller-Fisher syndrome with syndrome of inappropriate secretion of antidiuretic hormone.. Case Rep Neurol (2021)",
|
||||
"text": "S Fujiwara; Y Manabe; Y Nakano; Y Omote; H Narai; K Abe. A case of Miller-Fisher syndrome with syndrome of inappropriate secretion of antidiuretic hormone.. Case Rep Neurol (2021)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/8",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "A Benkirane; F London. Miller Fisher syndrome complicated by inappropriate secretion of antidiuretic hormone: a case report.. Acta Neurol Belg (2022)",
|
||||
"text": "A Benkirane; F London. Miller Fisher syndrome complicated by inappropriate secretion of antidiuretic hormone: a case report.. Acta Neurol Belg (2022)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/9",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "T Murakami; A Yoshihara; S Kikuchi; M Yasuda; A Hoshi; Y Ugawa. A patient with Fisher syndrome and pharyngeal-cervical-brachial variant of Guillain-Barr\u00e9 syndrome having a complication of SIADH.. Rinsho Shinkeigaku (2013)",
|
||||
"text": "T Murakami; A Yoshihara; S Kikuchi; M Yasuda; A Hoshi; Y Ugawa. A patient with Fisher syndrome and pharyngeal-cervical-brachial variant of Guillain-Barr\u00e9 syndrome having a complication of SIADH.. Rinsho Shinkeigaku (2013)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/10",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "MN Seleh; MB Khazaeli; RH Wheeler; . Phase I trial of the murine monoclonal anti-GD2 antibody 14G2a in metastatic melanoma.. Cancer Res (1992)",
|
||||
"text": "MN Seleh; MB Khazaeli; RH Wheeler; . Phase I trial of the murine monoclonal anti-GD2 antibody 14G2a in metastatic melanoma.. Cancer Res (1992)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
}
|
||||
],
|
||||
"pictures": [],
|
||||
"tables": [],
|
||||
"key_value_items": [],
|
||||
"pages": {}
|
||||
}
|
14
tests/data/groundtruth/docling_v2/1349-7235-63-2593.nxml.md
Normal file
14
tests/data/groundtruth/docling_v2/1349-7235-63-2593.nxml.md
Normal file
@ -0,0 +1,14 @@
|
||||
# Bilateral External Ophthalmoplegia Induced by Herpes Zoster Ophthalmicus
|
||||
|
||||
Fumitaka Shimizu; Department of Neurology and Clinical Neuroscience, Yamaguchi University Graduate School of Medicine, Japan
|
||||
|
||||
## References
|
||||
|
||||
- T Shima; K Yamashita; K Furuta; . Right-sided herpes zoster ophthalmicus complicated by bilateral third, fourth, and sixth cranial nerve palsies and syndrome of inappropriate antidiuretic hormone secretion.. Intern Med (2024)
|
||||
- N Yuki. Infectious origins of, and molecular mimicry in, Guillain-Barré and Fisher syndromes.. Lancet Infect Dis (2001)
|
||||
- AC Rizzo; M Ulivi; N Brunelli; . A case of Miller Fisher syndrome associated with preceding herpes zoster ophthalmicus.. Muscle Nerve (2017)
|
||||
- CC Wang; JC Shiang; JT Chen; SH Lin. Syndrome of inappropriate secretion of antidiuretic hormone associated with localized herpes zoster ophthalmicus.. J Gen Intern Med (2011)
|
||||
- S Fujiwara; Y Manabe; Y Nakano; Y Omote; H Narai; K Abe. A case of Miller-Fisher syndrome with syndrome of inappropriate secretion of antidiuretic hormone.. Case Rep Neurol (2021)
|
||||
- A Benkirane; F London. Miller Fisher syndrome complicated by inappropriate secretion of antidiuretic hormone: a case report.. Acta Neurol Belg (2022)
|
||||
- T Murakami; A Yoshihara; S Kikuchi; M Yasuda; A Hoshi; Y Ugawa. A patient with Fisher syndrome and pharyngeal-cervical-brachial variant of Guillain-Barré syndrome having a complication of SIADH.. Rinsho Shinkeigaku (2013)
|
||||
- MN Seleh; MB Khazaeli; RH Wheeler; . Phase I trial of the murine monoclonal anti-GD2 antibody 14G2a in metastatic melanoma.. Cancer Res (1992)
|
@ -0,0 +1,73 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: An In-depth Single-center Retros ... ion Patients with and without Diabetes
|
||||
item-2 at level 1: paragraph: Sho Hitomi; Division of Cardiolo ... icine, Iwate Medical University, Japan
|
||||
item-3 at level 1: text: Objective This study examined va ... ial, particularly in patients with DM.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Diabetes mellitus (DM) is widely ... also been employed in such cases (1).
|
||||
item-6 at level 2: text: Acute myocardial infarction (AMI ... found to have DM as a comorbidity (2).
|
||||
item-7 at level 2: text: With the widespread adoption of ... o be worse within this population (6).
|
||||
item-8 at level 1: section_header: Study population
|
||||
item-9 at level 2: text: The study population comprised p ... he 3rd universal definition of MI (7).
|
||||
item-10 at level 2: text: AMI was diagnosed based on the e ... hen biomarker values were unavailable.
|
||||
item-11 at level 1: section_header: Definition
|
||||
item-12 at level 2: text: The definition of each parameter ... 73 m2 upon admission (12) or dialysis.
|
||||
item-13 at level 1: section_header: Patient and clinical characteristics
|
||||
item-14 at level 2: text: The participants were stratified ... s on admission between the two groups.
|
||||
item-15 at level 1: section_header: Patient management and overall in-hospital outcomes
|
||||
item-16 at level 2: text: A detailed comparison of the pat ... e frequently than in the non-DM group.
|
||||
item-17 at level 2: text: Regarding mechanical support, pa ... fidence interval: 1.19-2.93, p=0.007).
|
||||
item-18 at level 1: section_header: An in-depth analysis of the caus ... hospital deaths and predictive factors
|
||||
item-19 at level 2: text: The in-hospital mortality rate o ... cal complications remained high (65%).
|
||||
item-20 at level 2: text: Factors potentially associated w ... g the surviving and deceased patients.
|
||||
item-21 at level 2: text: The predictors of in-hospital mo ... ” and “a history of stroke” (p=0.006).
|
||||
item-22 at level 1: section_header: Discussion
|
||||
item-23 at level 2: text: In Japan, there is a limited amo ... itable for in-depth research analyses.
|
||||
item-24 at level 2: text: Although previous studies have d ... ion to further improve survival rates.
|
||||
item-25 at level 2: text: In the DM group, we observed a h ... ures between the DM and non-DM groups.
|
||||
item-26 at level 2: text: CS continues to be a significant ... outcomes of patients experiencing CS.
|
||||
item-27 at level 1: section_header: Study limitations
|
||||
item-28 at level 2: text: Several limitations associated w ... nclude this parameter in our analysis.
|
||||
item-29 at level 1: section_header: Tables
|
||||
item-31 at level 1: table with [31x9]
|
||||
item-31 at level 2: caption: Table 1. A Comparison of Baseline Clinical Characteristics between the DM or Non-DM Groups.
|
||||
item-33 at level 1: table with [13x9]
|
||||
item-33 at level 2: caption: Table 2. A Comparison of Patient Management between the Two Groups.
|
||||
item-35 at level 1: table with [20x13]
|
||||
item-35 at level 2: caption: Table 3. Comparisons of Clinical Characteristics between AMI Patients Who Survived and Those Who Died from Both the DM and Non-DM Groups.
|
||||
item-37 at level 1: table with [12x13]
|
||||
item-37 at level 2: caption: Table 4. Univariate Analyses for In-hospital Death.
|
||||
item-39 at level 1: table with [12x13]
|
||||
item-39 at level 2: caption: Table 5. Multivariate Analyses for In-hospital Death.
|
||||
item-40 at level 1: section_header: Figures
|
||||
item-42 at level 1: picture
|
||||
item-42 at level 2: caption: Figure 1. Thirty-day cumulative survival rates in patients with acute myocardial infarction, stratified by DM status. Patients with DM (shown in red) had a significantly lower survival rate than those without DM (shown in blue).
|
||||
item-44 at level 1: picture
|
||||
item-44 at level 2: caption: Figure 2. Pie charts illustrating the causes of death in each group reveal differences. In the DM group, a higher percentage of non-cardiac deaths, such as infections, malignancies, strokes, and multiple organ failures, was observed than in the non-DM group (32% vs. 14%, respectively), with a statistically significant difference (p=0.046). Among the six cases of mechanical complications in patients who died in the DM group, there were two cases of ventricular septal rupture (VSR) and four cases of free-wall rupture (FWR). In the non-DM group, out of the 12 cases of mechanical complications in deceased patients, there were 4 cases of VSR, 7 of FMR, and 1 of papillary muscle rupture (PMR).
|
||||
item-45 at level 1: section_header: References
|
||||
item-46 at level 1: list: group list
|
||||
item-47 at level 2: list_item: R Iijima; G Ndrepepa; J Mehilli; ... -eluting stent era.. Am Heart J (2007)
|
||||
item-48 at level 2: list_item: M Ishihara; M Fujino; H Ogawa; . ... Definition (J-MINUET).. Circ J (2015)
|
||||
item-49 at level 2: list_item: Y Ozaki; H Hara; Y Onuma; . CVIT ... e 2022.. Cardiovasc Interv Ther (2022)
|
||||
item-50 at level 2: list_item: VH Schmitt; L Hobohm; T Munzel; ... ial infarction.. Diabetes Metab (2021)
|
||||
item-51 at level 2: list_item: MB Kahn; RM Cubbon; B Mercer; . ... mporary era.. Diab Vasc Dis Res (2012)
|
||||
item-52 at level 2: list_item: T Sato; T Ono; Y Morimoto; . Fiv ... llitus.. Cardiovasc Interv Ther (2012)
|
||||
item-53 at level 2: list_item: K Thygesen; JS Alpert; AS Jaffe; ... ardial infarction.. Circulation (2012)
|
||||
item-54 at level 2: list_item: PK Whelton; RM Carey; WS Aronow; ... ctice Guidelines.. Hypertension (2018)
|
||||
item-55 at level 2: list_item: . 2. Classification and diagnosi ... Diabetes - 2020.. Diabetes Care (2020)
|
||||
item-56 at level 2: list_item: M Kinoshita; K Yokote; H Arai; . ... ses 2017.. J Atheroscler Thromb (2018)
|
||||
item-57 at level 2: list_item: . Appropriate body-mass index fo ... ntervention strategies.. Lancet (2004)
|
||||
item-58 at level 2: list_item: PE Stevens; A Levin. Evaluation ... tice guideline.. Ann Intern Med (2013)
|
||||
item-59 at level 2: list_item: K Kanaoka; S Okayama; K Yoneyama ... -DPC registry analysis.. Circ J (2018)
|
||||
item-60 at level 2: list_item: B Ahmed; HT Davis; WK Laskey. In ... e, 2000-2010.. J Am Heart Assoc (2014)
|
||||
item-61 at level 2: list_item: DE Hofsten; BB Logstrup; JE Moll ... nosis.. JACC Cardiovasc Imaging (2009)
|
||||
item-62 at level 2: list_item: S Rasoul; JP Ottervanger; JR Tim ... l infarction.. Eur J Intern Med (2011)
|
||||
item-63 at level 2: list_item: RJ Goldberg; JM Gore; JS Alpert; ... ve, 1975 to 1988.. N Engl J Med (1991)
|
||||
item-64 at level 2: list_item: R Vergara; R Valenti; A Migliori ... ous intervention.. Am J Cardiol (2017)
|
||||
item-65 at level 2: list_item: U Zeymer; A Vogt; R Zahn; . Pred ... nhausärzte (ALKK).. Eur Heart J (2004)
|
||||
item-66 at level 2: list_item: C Parco; J Trostler; M Brockmeye ... ure pilot study.. Int J Cardiol (2023)
|
||||
item-67 at level 2: list_item: B Schrage; K Ibrahim; T Loehn; . ... cardiogenic shock.. Circulation (2019)
|
||||
item-68 at level 2: list_item: H Singh; RH Mehta; W O'Neill; . ... ience with impella.. Am Heart J (2021)
|
||||
item-69 at level 2: list_item: WW O'Neill; JL Martin; SR Dixon; ... ntervention.. J Am Coll Cardiol (2007)
|
||||
item-70 at level 2: list_item: K Thygesen; JS Alpert; AS Jaffe; ... infarction (2018).. Circulation (2018)
|
||||
item-71 at level 2: list_item: K Thygesen. What's new in the Fo ... ardial infarction?. Eur Heart J (2018)
|
||||
item-72 at level 2: list_item: M Nakamura; M Yamagishi; T Ueno; ... gistry.. Cardiovasc Interv Ther (2013)
|
24200
tests/data/groundtruth/docling_v2/1349-7235-63-2595.nxml.json
Normal file
24200
tests/data/groundtruth/docling_v2/1349-7235-63-2595.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
204
tests/data/groundtruth/docling_v2/1349-7235-63-2595.nxml.md
Normal file
204
tests/data/groundtruth/docling_v2/1349-7235-63-2595.nxml.md
Normal file
@ -0,0 +1,204 @@
|
||||
# An In-depth Single-center Retrospective Assessment of In-hospital Outcomes in Acute Myocardial Infarction Patients with and without Diabetes
|
||||
|
||||
Sho Hitomi; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Yorihiko Koeda; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Kengo Tosaka; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Nozomu Kanehama; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Masanobu Niiyama; Department of Cardiology, Japanese Red Cross Hachinohe Hospital, Japan; Masaru Ishida; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Tomonori Itoh; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan; Yoshihiro Morino; Division of Cardiology, Department of Internal Medicine, Iwate Medical University, Japan
|
||||
|
||||
Objective This study examined variations in in-hospital mortality causes and identified independent mortality predictors among patients with acute myocardial infarction (AMI) with and without diabetes mellitus (DM). Methods We examined factors influencing in-hospital mortality in a single-center retrospective observational study. Separate multivariate analyses were conducted for both groups to identify independent predictors of in-hospital mortality. Patients This study included consecutive patients admitted to Iwate Medical University Hospital between January 2012 and December 2017 with a diagnosis of AMI. Results Of 1,140 patients meeting the AMI criteria (average age: 68.2±12.8 years old, 75% men), 408 (35.8%) had diabetes. The DM group had a 1.87-times higher 30-day mortality rate, a lower prevalence of ST-elevated MI (56.6% vs. 65.3% in non-DM, p=0.004), and more frequent non-cardiac causes of death (32% vs. 14% in non-DM, p=0.046) than the non-DM group. Independent predictors of in-hospital mortality in both groups were cardiogenic shock (CS) [DM: hazard ratio (HR) 6.59, 95% confidence interval (CI) 2.90-14.95; non-DM: HR 4.42, 95% CI 1.99-9.77] and renal dysfunction (DM: HR 5.64, 95% CI 1.59-20.04; non-DM: HR 5.92, 95% CI 1.79-19.53). Among patients with DM, a history of stroke was an additional independent predictor of in-hospital mortality (HR 2.59, 95% CI 1.07-6.31). Conclusion Notable disparities were identified in the causes of death and predictive factors of mortality between these two groups of patients with AMI. To further improve AMI outcomes, individualized management and prioritizing non-cardiac comorbidities during hospitalization may be crucial, particularly in patients with DM.
|
||||
|
||||
## Introduction
|
||||
|
||||
Diabetes mellitus (DM) is widely recognized as being associated with poor clinical scenarios across various facets of ischemic heart disease. Indeed, it is a significant risk factor for coronary disease. Furthermore, atherosclerotic changes in coronary arteries tend to exhibit a more extensive distribution in individuals with DM than in those without DM. Following revascularization, a higher occurrence of restenosis or major adverse clinical events is expected in patients with DM than in those without DM during the follow-up period. Drug-eluting stents have also been employed in such cases (1).
|
||||
|
||||
Acute myocardial infarction (AMI) has remained a significant contributor to mortality worldwide. Based on an observational multicenter registry in Japan, 36.4% of AMI patients were found to have DM as a comorbidity (2).
|
||||
|
||||
With the widespread adoption of primary coronary intervention (PCI), AMI mortality has substantially declined. The current nationwide registry database in Japan has indicated that the mortality rate could be reduced to less than 3% if AMI patients were to receive primary PCI (3). However, a German study that compared outcomes between 2005 and 2021 highlighted that the rates of in-hospital death remained significantly higher in myocardial infarction (MI) patients with DM than in those without DM, despite an overall reduction in in-hospital mortality (4). Even with the contemporary utilization of primary PCI, patients with DM still experience higher in-hospital mortality than those without DM (5), and the long-term prognosis has also been observed to be worse within this population (6).
|
||||
|
||||
## Study population
|
||||
|
||||
The study population comprised patients admitted to Iwate Medical University Hospital between January 2012 and December 2017 due to AMI, specifically those who met the criteria outlined in the 3rd universal definition of MI (7).
|
||||
|
||||
AMI was diagnosed based on the evidence of myocardial necrosis in patients with acute myocardial ischemia in a clinical setting. The criteria for detection included the presence of a rise and/or fall in cardiac biomarker values, with at least one value exceeding the 99th percentile upper reference limit. In addition, at least one of the following conditions had to be met: 1) symptoms of ischemia; 2) new or presumed new significant ST-segment-T wave changes or new left bundle branch block; 3) development of a pathological Q wave on an electrocardiogram (ECG); 4) imaging evidence of new loss of viable myocardium or new regional wall motion abnormality; and 5) identification of an intracoronary thrombus by angiography or autopsy. Furthermore, in accordance with the classification of MI (types 1 to 5) as defined by the 3rd universal definition (7), the patients were classified as either type 1, spontaneous MI; type 2, MI secondary to an ischemia imbalance; or MI resulting in death when biomarker values were unavailable.
|
||||
|
||||
## Definition
|
||||
|
||||
The definition of each parameter used in this study was established by referring to previous studies that are widely regarded as representative in the field. Hypertension was defined (in accordance with the ACC/AHA Stage 2 hypertension guidelines) as a systolic blood pressure of ≥140 mmHg, a diastolic blood pressure of ≥90 mmHg upon admission, or the use of antihypertensive medication (8). Diabetes was defined as a blood sugar level ≥200 mg/dL upon admission, an HbA1c level of ≥6.5%, or the administration of diabetes medication (9). For cases that did not meet this definition, fasting blood sugar, daily blood sugar fluctuation, and glucose tolerance tests were not conducted. Dyslipidemia was defined in line with the guidelines in Japan as low-density lipoprotein (LDL)-cholesterol ≥140 mg/dL or high-density lipoprotein (HDL)-cholesterol <40 mg/dL (10) and included a total cholesterol level of ≥240 mg/dL or the administration of lipid-lowering drugs. A history of ischemic heart disease was defined as a history of AMI or revascularization (PCI or CABG). A current smoking habit was defined as smoking within the year prior to admission. A history of stroke was defined as any past stroke that required hospitalization, including cerebral infarction and intracranial hemorrhaging. Consequently, incidental asymptomatic lacunar infarctions identified on imaging were excluded. Atrial fibrillation was defined as any history of treatment, regardless of whether it was chronic or paroxysmal, or any evidence of atrial fibrillation found on previous Holter monitoring or a 12-lead ECG. Cases of transient paroxysmal atrial fibrillation observed during hospitalization without a previous record were not included. However, those with consistent atrial fibrillation waveforms upon admission, even without prior records, were included. Obesity was defined as a body mass index (BMI) ≥25.0 kg/m2 or higher upon admission (11). Renal dysfunction was defined as an estimated glomerular filtration rate (eGFR) of <60 mL/min/1.73 m2 upon admission (12) or dialysis.
|
||||
|
||||
## Patient and clinical characteristics
|
||||
|
||||
The participants were stratified into two groups based on the presence of DM. Table 1 shows a comparison of the baseline clinical characteristics between the DM and non-DM groups. The DM group had a significantly higher BMI and a higher prevalence of hyperlipidemia than the non-DM group. In contrast, a current smoking habit and hypertension were significantly more prevalent in the non-DM group than in the DM group. Regarding the history of major vascular diseases, a history of coronary artery disease or stroke was significantly more frequent in the DM group than in the non-DM group. Importantly, the frequency of cardiac arrest on admission was significantly higher in the DM group than in the non-DM group, despite no apparent differences in systolic and diastolic blood pressure values on admission between the two groups.
|
||||
|
||||
## Patient management and overall in-hospital outcomes
|
||||
|
||||
A detailed comparison of the patient management strategies is presented in Table 2. In the DM group, emergent coronary angiography and PCI were performed significantly less frequently than in the non-DM group. In addition, the prevalence of lesions involving the left main coronary artery was significantly higher in the DM group than in the non-DM group. Furthermore, patients in the DM group underwent CABG significantly more frequently than in the non-DM group.
|
||||
|
||||
Regarding mechanical support, patients in the DM group received significantly more frequent treatments with mechanical ventilation, intra-aortic balloon pump, and veno-atrial extracorporeal membrane oxygenation than in the non-DM group. As a result, in-hospital mortality was significantly higher and the length of hospital stay significantly longer in the DM group than in the non-DM group. The Kaplan-Meier survival curve of in-hospital mortality (within 30 days after admission), illustrated in Fig. 1, shows a significant difference between the two groups. The HR for in-hospital mortality in the DM group was 1.87 (95% confidence interval: 1.19-2.93, p=0.007).
|
||||
|
||||
## An in-depth analysis of the causes of in-hospital deaths and predictive factors
|
||||
|
||||
The in-hospital mortality rate of the 1,140 patients included in this study was 6.6%. A comparison of the causes of in-hospital death between the two groups is shown in Fig. 2. Nearly half of the causes were attributed to cardiogenic shock (CS) in both groups. However, the remaining causes of death appeared to differ between the two groups, particularly in terms of mechanical complications, infection, and malignant disease. When comparing the causes of death, a higher proportion of non-cardiac deaths (including infections, malignancies, strokes, and multiple organ failures) were observed in the DM group than in the non-DM group (32% vs. 14%, p=0.046, respectively). Deaths due to mechanical complications were more frequent in the non-DM group than in the DM group; however, the difference was not statistically significant (DM: 16% vs. non-DM: 32%, p=0.119). When examining the relationship between the timing of death and its causes, it was found that, for both groups, the majority of deaths until the third clinical day were predominantly due to CS or mechanical complications. However, regarding the causes of death after the tenth clinical day, in the DM group, the proportion of deaths attributed to CS or mechanical complications was <30%, with a greater number of patients dying from other causes, such as lethal arrhythmias, cerebral infarction, infections, and malignancies. In contrast, in the non-DM group, the proportion of patients dying from CS or mechanical complications remained high (65%).
|
||||
|
||||
Factors potentially associated with in-hospital mortality were individually compared between those who survived and those who died in both the DM and non-DM groups (Table 3). In the DM group, statistically significant differences were observed in the age, hypertension, current smoking habit, history of stroke, Killip status, ejection fraction on admission, renal dysfunction (eGFR <60 mL/min/1.73 m2), and serum BNP levels between the survival and in-hospital death subgroups. However, these factors showed slight variation in the non-DM group. Interestingly, the sex, history of atrial fibrillation, and ST elevation were also found to be significantly different factors in the non-DM group. Notably, in the non-DM group, a history of stroke no longer had a significant impact on in-hospital death when comparing the surviving and deceased patients.
|
||||
|
||||
The predictors of in-hospital mortality for both the DM and non-DM groups were analyzed separately using univariate analyses, and the results are shown in Table 4. Any factors found to be statistically significant in the univariate analyses in either group were included in the Cox's proportional hazards model to identify independent predictors of in-hospital death, as shown in Table 5. Consequently, CS, renal dysfunction, and a history of stroke independently predicted in-hospital mortality in the DM group. Conversely, CS and renal dysfunction were independent predictors of in-hospital mortality in the non-DM group. Furthermore, in the non-DM group, patients who underwent revascularization (emergency PCI or CABG) had a lower risk of in-hospital mortality than those who did not, but this difference was not statistically significant in the DM group. An interaction test for in-hospital death using a two-way analysis of variance showed that there was an interaction between “DM” and “a history of stroke” (p=0.006).
|
||||
|
||||
## Discussion
|
||||
|
||||
In Japan, there is a limited amount of research regarding predictors of in-hospital mortality for AMI based on the presence or absence of DM or differences in the specific causes of death. Although we have conducted large-scale studies related to AMI in Japan, such as the JROAD registry (13) and the J-PCI Registry (3), these registry surveys are limited in terms of available parameters, and it is speculated that they may not be suitable for in-depth research analyses.
|
||||
|
||||
Although previous studies have documented an adverse prognosis in AMI patients with comorbid diabetes mellitus (5,14,15), our study adds clarity by demonstrating a substantial impact on mortality. Notably, we identified an HR of 1.87 for mortality, even in a cohort in which nearly 85% of the patients underwent invasive strategies. Cardiovascular deaths (including those due to CS, mechanical complications, and lethal arrhythmias) accounted for nearly 85% of in-hospital fatalities in the non-DM group. Conversely, they constituted only 68% of in-hospital deaths in the DM group, signifying a higher prevalence of noncardiovascular causes of mortality in this population. Infections, strokes, and malignancies have emerged as direct causes of death in this subgroup. Considering the systemic nature of disorders in patients with DM, these results are not surprising, but they underscore the importance of comprehensive care or systemic management for this population to further improve survival rates.
|
||||
|
||||
In the DM group, we observed a higher prevalence of an advanced Killip status upon admission and a greater frequency of mechanical cardiac support devices than in the non-DM group. Consequently, the patients' conditions tended to deteriorate further from the time of admission than in the non-DM group. Nevertheless, the DM group exhibited lower actual rates of both coronary angiography and revascularization than the non-DM group, similar to a previous report (16). The lower frequency of ST-elevation MI and an increased possibility of asymptomatic patients, concerns related to an impaired renal function, as well as the use of contrast agents may partially explain the lower rate of emergent angiography. The higher frequency of left main coronary artery involvement in the DM group than in the non-DM group led to the reduced use of PCI and increased use of CABG. These factors are hypothesized to not only influence the lower frequency of revascularization procedures but also explain the divergent prognostic outcomes of these procedures between the DM and non-DM groups.
|
||||
|
||||
CS continues to be a significant factor influencing mortality in patients with AMI, as supported by numerous previous studies (17-19). However, our findings revealed that there was no marked difference in the in-hospital mortality between DM and non-DM patients with CS, consistent with a previous study (20). Because the management of CS remains a paramount concern in both groups, alternative approaches, such as the utilization of left ventricle unloading devices (21,22) or intracoronary supersaturated oxygen therapy (23), should be explored to enhance the outcomes of patients experiencing CS.
|
||||
|
||||
## Study limitations
|
||||
|
||||
Several limitations associated with the present study warrant mention. In this study, diabetes was defined according to criteria established from prior AMI research and existing literature. Intraday glucose variability and oral glucose tolerance tests were not performed, potentially leading to some cases of diabetes or impaired glucose tolerance being categorized as nondiabetic. This limitation was inherent to this study. Furthermore, despite the availability of the latest 4th version of the universal definition (24), we chose to apply the 3rd version of the universal definition (7) in this study. This decision was made because the 3rd definition was used during the recruitment period. However, it is important to acknowledge that the composition of the enrolled patient population may not have substantially differed; therefore, we employed the 3rd universal definition (25). Finally, the door-to-balloon time is a well-established mortality parameter in AMI patients (26). However, our study had a substantial proportion of NSTEMI patients (approximately 40%); therefore, we did not include this parameter in our analysis.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1. A Comparison of Baseline Clinical Characteristics between the DM or Non-DM Groups.
|
||||
|
||||
| Variables | | Total (n=1140) | | DM (n=408) | | Non-DM (n=732) | | p value |
|
||||
|-----------------------------------|----|-------------------|----|--------------------|----|-------------------|----|-----------|
|
||||
| Age (years) | | 68.2±12.8 | | 68.3±12.1 | | 68.0±13.1 | | 0.977 |
|
||||
| Sex (male) | | 76.0% | | 74.8% | | 76.6% | | 0.475 |
|
||||
| BMI (kg/m2) | | 24.4±4.0 | | 25.0±4.2 | | 24.0±3.8 | | <0.001 |
|
||||
| Obesity (BMI≥25) | | 38.1% | | 45.6% | | 34.6% | | <0.001 |
|
||||
| DM | | 35.8% | | 100% | | 0 | | |
|
||||
| Hypertension | | 69.9% | | 78.7% | | 64.9% | | <0.001 |
|
||||
| Dyslipidemia | | 51.3% | | 62.8% | | 44.8% | | <0.001 |
|
||||
| Current smoker | | 34.9% | | 34.4% | | 35.2% | | 0.784 |
|
||||
| History of CAD | | 13.5% | | 21.4% | | 9.0% | | <0.001 |
|
||||
| History of stroke | | 11.5% | | 15.3% | | 9.4% | | 0.005 |
|
||||
| History of atrial fibrillation | | 7.9% | | 9.1% | | 7.2% | | 0.266 |
|
||||
| CPA on admission | | 5.3% | | 7.2% | | 4.2% | | 0.029 |
|
||||
| Systolic BP on admission (mmHg) | | 145±34 | | 144±34 | | 145±34 | | 0.517 |
|
||||
| Diastolic BP on admission (mmHg) | | 85±21 | | 83±21 | | 86±22 | | 0.027 |
|
||||
| HR on admission (bpm) | | 81±19 | | 82±20 | | 81±19 | | 0.105 |
|
||||
| STEMI | | 62.2% | | 56.6% | | 65.3% | | 0.004 |
|
||||
| Killip I-IV (%) | | 71.6/14.3/5.5/8.6 | | 64.2/16.3/7.9/11.6 | | 75.8/13.1/4.1/6.9 | | <0.001 |
|
||||
| LVEF (%) | | 51.4±19.7 | | 49.6±28.9 | | 52.3±11.6 | | <0.001 |
|
||||
| Serum creatinine (mg/dL) | | 1.24±1.65 | | 1.57±2.12 | | 1.06±1.29 | | 0.008 |
|
||||
| eGFR (mL/min/1.73 m2) | | 68.0±28.5 | | 64.3±33.0 | | 70.1±25.5 | | 0.003 |
|
||||
| Renal dysfuncti on (eGFR<60) | | 36.9% | | 44.4% | | 32.8% | | <0.001 |
|
||||
| Hemodialysis or CAPD | | 4.4% | | 8.1% | | 2.3% | | <0.001 |
|
||||
| Blood glucose (mg/dL) | | 163±78 | | 207±97 | | 140±50 | | <0.001 |
|
||||
| Hemoglobin A1c (%) | | 6.1±1.5 | | 7.1±1.5 | | 5.6±0.5 | | <0.001 |
|
||||
| Triglyceride (mg/dL) | | 127±111 | | 138±146 | | 120±84 | | 0.002 |
|
||||
| Total cholesterol (mg/dL) | | 186±45 | | 179±49 | | 189±42 | | <0.001 |
|
||||
| LDL-cholesterol (mg/dL) | | 115±37 | | 109±37 | | 119±37 | | <0.001 |
|
||||
| HDL-cholesterol (mg/dL) | | 47±14 | | 45±15 | | 48±14 | | <0.001 |
|
||||
| L/H ratio | | 2.6±1.0 | | 2.5±1.0 | | 2.6±1.0 | | 0.144 |
|
||||
| Brain natriuretic peptide (pg/mL) | | 381±800 | | 511±975 | | 308±673 | | 0.001 |
|
||||
|
||||
Table 2. A Comparison of Patient Management between the Two Groups.
|
||||
|
||||
| Variables | | Total (n=1,140) | | DM (n=408) | | Non-DM (n=732) | | p value |
|
||||
|-------------------------------------|----|-------------------|----|--------------|----|------------------|----|-----------|
|
||||
| Emergency coronary angiography | | 87.8% | | 84.2% | | 89.7% | | 0.007 |
|
||||
| Lesion of left main trunk | | 9.7% | | 13.9% | | 7.3% | | 0.001 |
|
||||
| Multivessel coronary artery disease | | 59.6% | | 71.4% | | 53.0% | | <0.001 |
|
||||
| Emergency PCI | | 78.4% | | 73.8% | | 81.0% | | 0.004 |
|
||||
| Slow-flow or no-reflow post PCI | | 14.2% | | 16.1% | | 13.1% | | 0.203 |
|
||||
| Coronary artery bypass grafting | | 9.2% | | 12.3% | | 7.5% | | 0.008 |
|
||||
| Respirator | | 10.5% | | 14.2% | | 8.5% | | 0.004 |
|
||||
| Intra-aortic balloon pumping | | 11.4% | | 16.7% | | 8.4% | | <0.001 |
|
||||
| VA-ECMO | | 2.0% | | 3.3% | | 1.3% | | 0.023 |
|
||||
| Peak creatine kinase (IU/L) | | 2,198±2,758 | | 2,073±2,850 | | 2,269±2,705 | | 0.003 |
|
||||
| Hospitalization days | | 19±48 | | 20±22 | | 18±57 | | 0.002 |
|
||||
| In-hospital mortality | | 6.6% | | 9.3% | | 5.1% | | 0.005 |
|
||||
|
||||
Table 3. Comparisons of Clinical Characteristics between AMI Patients Who Survived and Those Who Died from Both the DM and Non-DM Groups.
|
||||
|
||||
| Variables | | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) |
|
||||
|-------------------------------------------|----|-------------------|--------------|--------------------------|--------------|--------------|----|-------------------|------------------|--------------------------|------------------|------------------|
|
||||
| Variables | | Survivors (n=370) | | In-hospital death (n=38) | | p value | | Survivors (n=695) | | In-hospital death (n=37) | | p value |
|
||||
| Age (years) | | 67.9±12.3 | | 72.8±9.6 | | 0.025 | | 67.6±13.0 | | 75.7±12.7 | | <0.001 |
|
||||
| Sex (male) | | 74.3% | | 78.9% | | 0.532 | | 77.6% | | 59.5% | | 0.011 |
|
||||
| Obesity (BMI≥25) | | 46.1% | | 40.5% | | 0.520 | | 35.1% | | 24.2% | | 0.199 |
|
||||
| Hypertension | | 80.3% | | 63.2% | | 0.014 | | 64.0% | | 82.9% | | 0.022 |
|
||||
| Dyslipidemia | | 63.3% | | 57.9% | | 0.510 | | 45.1% | | 40.0% | | 0.556 |
|
||||
| Current smoker | | 35.9% | | 14.3% | | 0.020 | | 36.1% | | 14.3% | | 0.018 |
|
||||
| History of CAD | | 21.9% | | 16.2% | | 0.422 | | 8.7% | | 14.3% | | 0.263 |
|
||||
| History of stroke | | 13.8% | | 28.6% | | 0.022 | | 9.7% | | 3.2% | | 0.227 |
|
||||
| History of atrial fibrillation | | 8.4% | | 15.8% | | 0.130 | | 6.1% | | 27.8% | | <0.001 |
|
||||
| Cardiogenic shock (Killip IV) | | 6.5% | | 62.2% | | <0.001 | | 4.5% | | 52.8% | | <0.001 |
|
||||
| STEMI | | 55.4% | | 68.4% | | 0.123 | | 64.2% | | 86.1% | | 0.007 |
|
||||
| LVEF (%) | | 49.5±12.0 | | 50.8±89.3 | | <0.001 | | 52.7±11.4 | | 44.2±13.8 | | <0.001 |
|
||||
| Blood glucose (mg/dL) | | 200±88 | | 282±149 | | 0.001 | | 128±27 | | 133±47 | | 0.252 |
|
||||
| Renal dysfunction (eGFR<60) | | 40.5% | | 81.6% | | <0.001 | | 39.6% | | 84.8% | | <0.001 |
|
||||
| Brain natriuretic peptide (pg/mL) | | 463.6±935.3 | | 972.4±1225.5 | | <0.001 | | 279.8±625.9 | | 834.9±1146.0 | | <0.001 |
|
||||
| Revascularization (emergency PCI or CABG) | | 82.7% | | 73.7% | | 0.169 | | 86.3% | | 62.2% | | <0.001 |
|
||||
| - Emergency PCI | | 74.1% | | 71.1% | | 0.689 | | 82.4% | | 54.1% | | <0.001 |
|
||||
| - CABG | | 13.2% | | 2.6% | | 0.057 | | 7.3% | | 10.8% | | 0.435 |
|
||||
|
||||
Table 4. Univariate Analyses for In-hospital Death.
|
||||
|
||||
| Variables | | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) |
|
||||
|-------------------------------------------|----|--------------|--------------|--------------|--------------|--------------|----|------------------|------------------|------------------|------------------|------------------|
|
||||
| Variables | | HR | | 95%CI | | p value | | HR | | 95%CI | | p value |
|
||||
| Age (years) | | 1.03 | | (0.99-1.06) | | 0.061 | | 1.05 | | (1.02-1.08) | | 0.002 |
|
||||
| Sex (female) | | 0.77 | | (0.35-1.69) | | 0.517 | | 2.10 | | (1.09-4.06) | | 0.028 |
|
||||
| Hypertension | | 0.45 | | (0.23-0.87) | | 0.017 | | 2.45 | | (1.02-5.91) | | 0.046 |
|
||||
| History of stroke | | 1.90 | | (0.91-3.97) | | 0.087 | | 0.26 | | (0.36-1.93) | | 0.263 |
|
||||
| History of atrial fibrillation | | 1.90 | | (0.79-4.58) | | 0.15 | | 4.07 | | (1.93-8.55) | | <0.001 |
|
||||
| Cardiogenic shock (Killip IV) | | 8.84 | | (4.49-17.41) | | <0.001 | | 10.82 | | (5.48-21.38) | | <0.001 |
|
||||
| STEMI | | 1.79 | | (0.90-3.57) | | 0.098 | | 2.96 | | (1.15-7.63) | | 0.025 |
|
||||
| LVEF (%) | | 1.00 | | (0.99-1.01) | | 0.19 | | 0.96 | | (0.94-0.99) | | 0.002 |
|
||||
| Renal dysfunction (eGFR<60) | | 4.30 | | (1.89-9.86) | | <0.001 | | 11.32 | | (4.39-29.20) | | <0.001 |
|
||||
| Revascularization (emergency PCI or CABG) | | 0.61 | | (0.30-1.25) | | 0.178 | | 0.23 | | (0.12-0.45) | | <0.001 |
|
||||
|
||||
Table 5. Multivariate Analyses for In-hospital Death.
|
||||
|
||||
| Variables | | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | DM (n=408) | | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) | Non-DM (n=732) |
|
||||
|-------------------------------------------|----|--------------|--------------|--------------|--------------|--------------|----|------------------|------------------|------------------|------------------|------------------|
|
||||
| Variables | | HR | | 95%CI | | p value | | HR | | 95%CI | | p value |
|
||||
| Age (years) | | 0.99 | | (0.95-1.03) | | 0.497 | | 1.01 | | (0.96-1.04) | | 0.980 |
|
||||
| Sex (female) | | 0.78 | | (0.26-2.38) | | 0.668 | | 1.40 | | (0.63-3.01) | | 0.406 |
|
||||
| Hypertension | | 0.81 | | (0.34-1.93) | | 0.634 | | 1.38 | | (0.53-3.58) | | 0.506 |
|
||||
| History of stroke | | 2.59 | | (1.07-6.31) | | 0.036 | | 0.34 | | (0.045-2.61) | | 0.302 |
|
||||
| History of atrial fibrillation | | 1.60 | | (0.54-4.76) | | 0.396 | | 2.07 | | (0.83-5.19) | | 0.119 |
|
||||
| Cardiogenic shock (Killip IV) | | 6.59 | | (2.90-14.95) | | <0.001 | | 4.42 | | (1.99-9.77) | | <0.001 |
|
||||
| STEMI | | 1.85 | | (0.71-4.80) | | 0.206 | | 2.46 | | (0.89-6.71) | | 0.080 |
|
||||
| LVEF (%) | | 0.98 | | (0.95-1.01) | | 0.160 | | 0.99 | | (0.96-1.02) | | 0.354 |
|
||||
| Renal dysfunction (eGFR<60) | | 5.64 | | (1.59-20.04) | | 0.008 | | 5.92 | | (1.79-19.53) | | 0.004 |
|
||||
| Revascularization (emergency PCI or CABG) | | 0.66 | | (0.28-1.58) | | 0.350 | | 0.24 | | (0.10-0.56) | | <0.001 |
|
||||
|
||||
## Figures
|
||||
|
||||
Figure 1. Thirty-day cumulative survival rates in patients with acute myocardial infarction, stratified by DM status. Patients with DM (shown in red) had a significantly lower survival rate than those without DM (shown in blue).
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 2. Pie charts illustrating the causes of death in each group reveal differences. In the DM group, a higher percentage of non-cardiac deaths, such as infections, malignancies, strokes, and multiple organ failures, was observed than in the non-DM group (32% vs. 14%, respectively), with a statistically significant difference (p=0.046). Among the six cases of mechanical complications in patients who died in the DM group, there were two cases of ventricular septal rupture (VSR) and four cases of free-wall rupture (FWR). In the non-DM group, out of the 12 cases of mechanical complications in deceased patients, there were 4 cases of VSR, 7 of FMR, and 1 of papillary muscle rupture (PMR).
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- R Iijima; G Ndrepepa; J Mehilli; . Impact of diabetes mellitus on long-term outcomes in the drug-eluting stent era.. Am Heart J (2007)
|
||||
- M Ishihara; M Fujino; H Ogawa; . Clinical presentation, management and outcome of Japanese patients with acute myocardial infarction in the troponin era - Japanese Registry of Acute Myocardial Infarction Diagnosed by Universal Definition (J-MINUET).. Circ J (2015)
|
||||
- Y Ozaki; H Hara; Y Onuma; . CVIT expert consensus document on primary percutaneous coronary intervention (PCI) for acute myocardial infarction (AMI) update 2022.. Cardiovasc Interv Ther (2022)
|
||||
- VH Schmitt; L Hobohm; T Munzel; P Wenzel; T Gori; K Keller. Impact of diabetes mellitus on mortality rates and outcomes in myocardial infarction.. Diabetes Metab (2021)
|
||||
- MB Kahn; RM Cubbon; B Mercer; . Association of diabetes with increased all-cause mortality following primary percutaneous coronary intervention for ST-segment elevation myocardial infarction in the contemporary era.. Diab Vasc Dis Res (2012)
|
||||
- T Sato; T Ono; Y Morimoto; . Five-year clinical outcomes after implantation of sirolimus-eluting stents in patients with and without diabetes mellitus.. Cardiovasc Interv Ther (2012)
|
||||
- K Thygesen; JS Alpert; AS Jaffe; . Third universal definition of myocardial infarction.. Circulation (2012)
|
||||
- PK Whelton; RM Carey; WS Aronow; . 2017 ACC/AHA/AAPA/ABC/ACPM/AGS/APhA/ASH/ASPC/NMA/PCNA guideline for the prevention, detection, evaluation, and management of high blood pressure in adults: executive summary: a report of the American College of Cardiology/American Heart Association Task Force on Clinical Practice Guidelines.. Hypertension (2018)
|
||||
- . 2. Classification and diagnosis of diabetes: Standards of Medical Care in Diabetes - 2020.. Diabetes Care (2020)
|
||||
- M Kinoshita; K Yokote; H Arai; . Japan Atherosclerosis Society (JAS) Guidelines for Prevention of Atherosclerotic Cardiovascular Diseases 2017.. J Atheroscler Thromb (2018)
|
||||
- . Appropriate body-mass index for Asian populations and its implications for policy and intervention strategies.. Lancet (2004)
|
||||
- PE Stevens; A Levin. Evaluation and management of chronic kidney disease: synopsis of the kidney disease: improving global outcomes 2012 clinical practice guideline.. Ann Intern Med (2013)
|
||||
- K Kanaoka; S Okayama; K Yoneyama; . Number of board-certified cardiologists and acute myocardial infarction-related mortality in Japan - JROAD and JROAD-DPC registry analysis.. Circ J (2018)
|
||||
- B Ahmed; HT Davis; WK Laskey. In-hospital mortality among patients with type 2 diabetes mellitus and acute myocardial infarction: results from the national inpatient sample, 2000-2010.. J Am Heart Assoc (2014)
|
||||
- DE Hofsten; BB Logstrup; JE Moller; PA Pellikka; K Egstrup. Abnormal glucose metabolism in acute myocardial infarction: influence on left ventricular function and prognosis.. JACC Cardiovasc Imaging (2009)
|
||||
- S Rasoul; JP Ottervanger; JR Timmer; S Yokota; MJ de Boer; AW van't Hof. Impact of diabetes on outcome in patients with non-ST-elevation myocardial infarction.. Eur J Intern Med (2011)
|
||||
- RJ Goldberg; JM Gore; JS Alpert; . Cardiogenic shock after acute myocardial infarction. Incidence and mortality from a community-wide perspective, 1975 to 1988.. N Engl J Med (1991)
|
||||
- R Vergara; R Valenti; A Migliorini; . A new risk score to predict long-term cardiac mortality in patients with acute myocardial infarction complicated by cardiogenic shock and treated with primary percutaneous intervention.. Am J Cardiol (2017)
|
||||
- U Zeymer; A Vogt; R Zahn; . Predictors of in-hospital mortality in 1333 patients with acute myocardial infarction complicated by cardiogenic shock treated with primary percutaneous coronary intervention (PCI); results of the primary PCI registry of the Arbeitsgemeinschaft Leitende Kardiologische Krankenhausärzte (ALKK).. Eur Heart J (2004)
|
||||
- C Parco; J Trostler; M Brockmeyer; . Risk-adjusted management in catheterization procedures for non-ST-segment elevation myocardial infarction: a standard operating procedure pilot study.. Int J Cardiol (2023)
|
||||
- B Schrage; K Ibrahim; T Loehn; . Impella support for acute myocardial infarction complicated by cardiogenic shock.. Circulation (2019)
|
||||
- H Singh; RH Mehta; W O'Neill; . Clinical features and outcomes in patients with cardiogenic shock complicating acute myocardial infarction: early vs recent experience with impella.. Am Heart J (2021)
|
||||
- WW O'Neill; JL Martin; SR Dixon; . Acute Myocardial Infarction with Hyperoxemic Therapy (AMIHOT): a prospective, randomized trial of intracoronary hyperoxemic reperfusion after percutaneous coronary intervention.. J Am Coll Cardiol (2007)
|
||||
- K Thygesen; JS Alpert; AS Jaffe; . Fourth universal definition of myocardial infarction (2018).. Circulation (2018)
|
||||
- K Thygesen. What's new in the Fourth Universal Definition of Myocardial infarction?. Eur Heart J (2018)
|
||||
- M Nakamura; M Yamagishi; T Ueno; . Current treatment of ST elevation acute myocardial infarction in Japan: door-to-balloon time and total ischemic time from the J-AMI registry.. Cardiovasc Interv Ther (2013)
|
@ -0,0 +1,39 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: The Diversity of Neurological Co ... trospective Case Series of 26 Patients
|
||||
item-2 at level 1: paragraph: Joe Nemoto; Department of Neurol ... ity Graduate School of Medicine, Japan
|
||||
item-3 at level 1: text: Objective This study clarified a ... to the distribution of herpes zoster.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Varicella zoster virus (VZV) is ... to a single condition remains unclear.
|
||||
item-6 at level 1: section_header: The diagnosis of herpes zoster
|
||||
item-7 at level 2: text: The diagnosis of herpes zoster w ... ≥2 from the nadir period to discharge.
|
||||
item-8 at level 1: section_header: Characteristics of neurological ... rbances in patients with herpes zoster
|
||||
item-9 at level 2: text: Seventeen (65%) patients receive ... reated and non-steroid-treated groups.
|
||||
item-10 at level 1: section_header: Relationship between neurological manifestations and herpes zoster
|
||||
item-11 at level 2: text: The associations between neurolo ... ents with meningitis and encephalitis.
|
||||
item-12 at level 1: section_header: Neurological disability at nadir
|
||||
item-13 at level 2: text: Seventeen (65%) patients had sev ... ted to neurological severity (p=0.36).
|
||||
item-14 at level 1: section_header: Recovery from severe neurological disability
|
||||
item-15 at level 2: text: Of the 17 severely disabled pati ... e not associated with a good recovery.
|
||||
item-16 at level 1: section_header: Discussion
|
||||
item-17 at level 2: text: The proportion of patients with ... e, further investigation is warranted.
|
||||
item-18 at level 2: text: Our study found that limb paraly ... tant spread across the nervous system.
|
||||
item-19 at level 2: text: This study showed that increased ... ociated with the neurological outcome.
|
||||
item-20 at level 2: text: Whether or not steroids are effe ... cal complications associated with VZV.
|
||||
item-21 at level 1: section_header: Tables
|
||||
item-23 at level 1: table with [8x13]
|
||||
item-23 at level 2: caption: Table 1. Association of Location of Herpes Zoster with Neurological Phenotypes.
|
||||
item-25 at level 1: table with [19x9]
|
||||
item-25 at level 2: caption: Table 2. Clinical Characteristics of Patients with Severe Neurological Disability Subsequent to Herpes Zoster.
|
||||
item-27 at level 1: table with [19x9]
|
||||
item-27 at level 2: caption: Table 3. Comparison between the Clinical Characteristics of Patients with and without Good Recovery from Severely Disabled Condition at Nadir.
|
||||
item-28 at level 1: section_header: References
|
||||
item-29 at level 1: list: group list
|
||||
item-30 at level 2: list_item: K Shiraki; N Toyama; T Daikoku; ... zoster.. Open Forum Infect Dis (2017)
|
||||
item-31 at level 2: list_item: J Nemoto; T Kanda. Varicella-zos ... al nervous system.. Brain Nerve (2022)
|
||||
item-32 at level 2: list_item: T Lenfant; AS L'Honneur; B Ranqu ... rebrospinal fluid.. Brain Behav (2022)
|
||||
item-33 at level 2: list_item: A Mirouse; R Sonneville; K Razaz ... hort study.. Ann Intensive Care (2022)
|
||||
item-34 at level 2: list_item: Y Ohtsu; Y Susaki; K Noguchi. Ab ... Eur J Drug Metab Pharmacokinet (2018)
|
||||
item-35 at level 2: list_item: S Takeshima; Y Shiga; T Himeno; ... insho Shinkeigaku (Clin Neurol) (2017)
|
||||
item-36 at level 2: list_item: L Martinez-Almoyna; T De Broucke ... t version).. Rev Neurol (Paris) (2019)
|
||||
item-37 at level 2: list_item: T Solomon; BD Michael; PE Smith; ... National Guidelines.. J Infect (2012)
|
||||
item-38 at level 2: list_item: MA Nagel; D Jones; A Wyborny. Va ... d pathogenesis.. J Neuroimmunol (2017)
|
10880
tests/data/groundtruth/docling_v2/1349-7235-63-2621.nxml.json
Normal file
10880
tests/data/groundtruth/docling_v2/1349-7235-63-2621.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
111
tests/data/groundtruth/docling_v2/1349-7235-63-2621.nxml.md
Normal file
111
tests/data/groundtruth/docling_v2/1349-7235-63-2621.nxml.md
Normal file
@ -0,0 +1,111 @@
|
||||
# The Diversity of Neurological Complications Associated with Herpes Zoster: A Retrospective Case Series of 26 Patients
|
||||
|
||||
Joe Nemoto; Department of Neurology, Tokuyama Central Hospital, Japan; Department of Neurology and Clinical Neuroscience, Yamaguchi University Graduate School of Medicine, Japan; Jun-ichi Ogasawara; Department of Neurology, Tokuyama Central Hospital, Japan; Michiaki Koga; Department of Neurology and Clinical Neuroscience, Yamaguchi University Graduate School of Medicine, Japan
|
||||
|
||||
Objective This study clarified a variety of neurological phenotypes associated with varicella-zoster virus (VZV) reactivation. Methods This retrospective single-center study included consecutive patients with herpes zoster accompanied by neurological disturbances from April 2016 to September 2022. A comparative analysis was performed to examine whether or not the neurological phenotype and severity were associated with the distribution of herpes zoster, clinical and laboratory findings, and treatments. Results Twenty-six patients with a median age of 74 years old were enrolled. None of the patients had been vaccinated against herpes zoster. Of the 26 patients, 14 (54%) developed monoparesis, 5 (19%) developed meningitis, 5 (19%) developed encephalitis, 1 (4%) developed paraplegia, and 1 (4%) developed bladder and rectal problems. Monoparesis of the upper limb is associated with herpes zoster involving the cervical and thoracic dermatomes, whereas meningitis and encephalitis often occur in patients with herpes zoster in the trigeminal and thoracic dermatomes. Neurological disability was generally severe [modified Rankin Scale (mRS) score ≥3] on admission [17 of 26 (65%) patients]. Good recovery after admission was associated with a lower mRS value before the onset of neurological disability, clinical meningitis, and elevated cell counts and protein levels in the cerebrospinal fluid. Good recoveries were observed in patients with herpes zoster in the trigeminal or thoracic dermatomes more frequently than in other dermatomes. Conclusion This study revealed that VZV-related neurological complications are heterogeneous, commonly leading to severe disability and poor outcomes, and that neurological phenotypes and outcomes are related to the distribution of herpes zoster.
|
||||
|
||||
## Introduction
|
||||
|
||||
Varicella zoster virus (VZV) is a common pathogen that causes herpes zoster. Most Japanese people are thought to be in a state of latent VZV infection, and one-third of the Japanese population develops herpes zoster associated with reactivation of the virus by 80 years old (1). In addition to herpes zoster, reactivation of VZV is associated with various neurological disorders, including radiculitis, meningitis, and encephalitis (2). The extent of neurological disability varies from person to person; however, neurological recovery is generally incomplete in patients with neurological complications (3). Why neurological phenotypes and extent of neurological disability vary in relation to a single condition remains unclear.
|
||||
|
||||
## The diagnosis of herpes zoster
|
||||
|
||||
The diagnosis of herpes zoster was performed by primary care physicians, dermatologists, or neurologists and was based on visual inspection of the skin rash with or without polymerase chain reaction (PCR) confirmation from swab specimens, although the reactivation of VZV was confirmed by PCR of CSF specimens in previous studies (3,4). Herpes zoster has been observed in the trigeminal, cervical, thoracic, lumbar, and sacral dermatomes. Patients taking immunosuppressant medications and those with a history of diabetes were considered immunocompromised. The following neurological complications were observed: monoparesis, meningitis, encephalitis, paraplegia, and bladder/rectal disturbance. Monoparesis was defined as monoparesis without meningeal irritation, ongoing disturbance of consciousness, or seizures (3). Meningitis was defined as meningeal irritation without ongoing disturbance of consciousness, seizures, or limb paresis (3). Encephalitis was defined as an ongoing disturbance of consciousness or seizures irrespective of meningeal irritation (3). Paraplegia was defined as paraplegia without upper limb paresis, meningeal irritation, ongoing disturbance of consciousness, or seizures. Bladder/rectal disturbances were defined as new-onset subjective bladder or defecation symptoms without paresis, meningeal irritation, ongoing disturbance of consciousness, and seizures. Severe neurological disability was defined as an mRS score ≥3. The nadir period was defined as the period of the most severe neurological symptoms assessed by a neurologist. Good neurological recovery was defined as a decrease in the mRS score of ≥2 from the nadir period to discharge.
|
||||
|
||||
## Characteristics of neurological disturbances in patients with herpes zoster
|
||||
|
||||
Seventeen (65%) patients received oral antiviral agents before their first visit to the Department of Neurology. Of these patients, eight received amenamevir, an oral antiviral agent that was thought to be unable to cross the blood-brain barrier (5). Every patient received intravenous acyclovir after admission, and intravenous methylprednisolone pulse therapy (1,000 mg/day for 3 days) or oral prednisolone (1 mg/kg body weight/day for 5 days) was administered to 18 (69%) patients. There were no significant differences in the age, sex, CSF findings, or mRS score at each point between the steroid-treated and non-steroid-treated groups.
|
||||
|
||||
## Relationship between neurological manifestations and herpes zoster
|
||||
|
||||
The associations between neurological phenotypes and herpes zoster distribution are shown in Table 1. Of note, herpes zoster was detected in the cervical and thoracic dermatomes of all 12 patients with upper limb monoparesis, whereas it was detected in the lumbar and sacral dermatomes of all patients with lower limb monoparesis, paraplegia, or bladder/rectal disturbances. Furthermore, herpes zoster was confirmed in the trigeminal or thoracic dermatomes of all patients with meningitis and encephalitis.
|
||||
|
||||
## Neurological disability at nadir
|
||||
|
||||
Seventeen (65%) patients had severe disability (mRS score ≥3) at the nadir. Patients with severe disabilities had longer hospitalization durations than those without severe disabilities (p=0.023). Other clinical characteristics, including the age, immunocompromised condition, mRS value before onset, CSF findings, and type of therapy, were not significantly associated with severe disability at nadir (Table 2). Extensive distribution of herpes zoster (≥2 areas among 5) was identified in 6 (35%) severely disabled patients but was not significantly related to neurological severity (p=0.36).
|
||||
|
||||
## Recovery from severe neurological disability
|
||||
|
||||
Of the 17 severely disabled patients, 8 (47%) showed a good neurological recovery by discharge (defined as a decrease in the mRS score of ≥2 from nadir to discharge) (Table 3). Elevated CSF cell counts and protein levels were significantly associated with a good recovery (p=0.038 and p=0.027, respectively). Furthermore, all 3 severely disabled patients with meningitis were determined to have obtained a good recovery, but the p value was not significant (p=0.082). More patients with herpes zoster located in the trigeminal or thoracic dermatomes showed a better recovery than those with herpes zoster in other dermatomes (70% vs. 14%; p=0.0498). None of the patients who had been treated with steroids showed a good recovery. The frequency of a good recovery was significantly lower in the steroid-treated group than in the non-steroid-treated group (p=0.029). Other clinical characteristics, including the age, immunocompromised status, and mRS before the onset, were not associated with a good recovery.
|
||||
|
||||
## Discussion
|
||||
|
||||
The proportion of patients with specific neurological phenotypes associated with VZV infections has been investigated in French populations, and investigators found that 23% of patients exhibited monoparesis and cranial nerve palsy, 38% exhibited meningitis, and 39% exhibited encephalitis (3). In contrast, we found that a smaller proportion of VZV-infected patients in the Japanese population had meningitis (19%) or encephalitis (19%). Although this discrepancy might reflect racial or geographic differences between populations, we believe that the discrepancy between the results might be accounted for by the differences between the study inclusion criteria for patients. The French investigators only included patients in whom VZV reactivation had been confirmed by PCR of CSF specimens, whereas our study also included patients in whom CSF specimens were not tested by PCR. The difference between the criteria may have biased the results regarding the proportions of neurological phenotypes. Patients with monoparesis might have been excluded from the French study by not conducting a CSF analysis, leading to a larger proportion of patients with encephalitis or meningitis. It is also possible that the proportions of neurological phenotypes differ depending on the characteristics of the VZV infecting the hosts. Therefore, further investigation is warranted.
|
||||
|
||||
Our study found that limb paralysis was closely associated with the distribution of prior herpes zoster episodes in patients, which suggests that reactivation of VZV in the dorsal root ganglia affects the nearby motor neurons. In contrast, all patients with encephalitis and meningitis in our study had herpes zoster within the trigeminal, thoracic, or both dermatomes. This result is compatible with a previous report that herpes zoster is frequently located within the trigeminal or thoracic dermatomes in patients with VZV meningitis [6 of 9 (67%) patients] (6). Why inflammation can spread from the thoracic dorsal root ganglion to the distant cerebrum and meninges remains unclear. There may be a particular mechanism underlying distant spread across the nervous system.
|
||||
|
||||
This study showed that increased cell counts and CSF protein levels, decreased mRS values before the onset, and no use of steroids were associated with a good neurological recovery in our study patients, which is partly consistent with previous findings (3,4). We also discovered a novel relationship between the neurological recovery and herpes zoster location, possibly due in part to the fact that patients with a meningitis phenotype often have herpes zoster in the trigeminal or thoracic dermatomes and also often show a good recovery. Further research involving a larger study population is needed to clarify whether or not the distribution of herpes zoster is associated with the neurological outcome.
|
||||
|
||||
Whether or not steroids are effective in the treatment of neurological complications associated with VZV reactivation remains unclear. In our study, none of the steroid-treated patients showed a good recovery; however, steroids were often used in severe cases [13 of 18 patients (72%)], indicating that the effectiveness of steroids could not be adequately evaluated in our study. The Association of British Neurologists has recommended corticosteroids be used to treat VZV encephalitis in patients with concomitant vasculitis. However, the French Federation of Neurology does not recommend treatment with corticosteroids, irrespective of vasculitis (7,8). Steroids may have an effect on the treatment of VZV-associated vasculopathy (9). Randomized controlled trials should be conducted to determine the efficacy of steroids for neurological complications associated with VZV.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1. Association of Location of Herpes Zoster with Neurological Phenotypes.
|
||||
|
||||
| Neurological phenotype | | | | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster | Herpes zoster |
|
||||
|----------------------------|----|------------|----|------------------|-----------------|-----------------|-----------------|-----------------|-----------------|-----------------|-----------------|-----------------|
|
||||
| Neurological phenotype | | | | Trigeminal (n=3) | | Cervical (n=10) | | Thoracic (n=13) | | Lumbar (n=6) | | Sacral (n=2) |
|
||||
| Monoparesis | | U/E (n=12) | | 0 | | 9 | | 6 | | 1 | | 0 |
|
||||
| | | L/E (n=2) | | 0 | | 0 | | 0 | | 2 | | 1 |
|
||||
| Meningitis | | (n=5) | | 1 | | 0 | | 4 | | 0 | | 0 |
|
||||
| Encephalitis | | (n=5) | | 2 | | 1 | | 3 | | 1 | | 0 |
|
||||
| Paraplegia | | (n=1) | | 0 | | 0 | | 0 | | 1 | | 1 |
|
||||
| Bladder/rectal disturbance | | (n=1) | | 0 | | 0 | | 0 | | 1 | | 0 |
|
||||
|
||||
Table 2. Clinical Characteristics of Patients with Severe Neurological Disability Subsequent to Herpes Zoster.
|
||||
|
||||
| | | | | Neurological disability at nadir | Neurological disability at nadir | Neurological disability at nadir | | p value |
|
||||
|-----------------------------------------------------------------------|-----------------------------------------------------------------------|-----------------------------------------------------------------------|----|------------------------------------|------------------------------------|------------------------------------|----|-----------|
|
||||
| | | | | Severe (n=17)a | | Not severe (n=9) | | p value |
|
||||
| Median age (range) | | | | 79 (23-84) | | 68 (31-83) | | NS |
|
||||
| Herpes zoster | | Trigeminal, n (%) | | 3 (100%) | | 0 (0%) | | NS |
|
||||
| | | Cervical, n (%) | | 7 (70%) | | 3 (30%) | | NS |
|
||||
| | | Thoracic, n (%) | | 7 (54%) | | 6 (46%) | | NS |
|
||||
| | | Lumbar, n (%) | | 5 (83%) | | 1 (17%) | | NS |
|
||||
| | | Sacral, n (%) | | 2 (100%) | | 0 (0%) | | NS |
|
||||
| Immunocompromised condition, n (%) | Immunocompromised condition, n (%) | Immunocompromised condition, n (%) | | 6 (60%) | | 4 (40%) | | NS |
|
||||
| Median mRS before onset (range) | Median mRS before onset (range) | Median mRS before onset (range) | | 0 (0-4) | | 0 (0-0) | | NS |
|
||||
| Median days from onset of neurological symptom to first visit (range) | Median days from onset of neurological symptom to first visit (range) | Median days from onset of neurological symptom to first visit (range) | | 9 (0-38) | | 6 (1-54) | | NS |
|
||||
| Neurological phenotype | | Monoparesis, n (%) | | 8 (57%) | | 6 (43%) | | NS |
|
||||
| | | Meningitis, n (%) | | 3 (60%) | | 2 (40%) | | NS |
|
||||
| | | Encephalitis, n (%) | | 5 (100%) | | 0 (0%) | | NS |
|
||||
| CSF | | Cell count (/μL), median (range) | | 22 (0-371) | | 10 (0-202) | | NS |
|
||||
| | | Protein (mg/dL), median (range) | | 75 (42-217) | | 56 (38-173) | | NS |
|
||||
| Therapy | | Acyclovir, n (%) | | 17 (100%) | | 9 (100%) | | NS |
|
||||
| | | Steroid, n (%) | | 13 (76%) | | 5 (56%) | | NS |
|
||||
| Median hospitalization days (range) | | | | 27 (6-77) | | 18 (14-70) | | 0.023 |
|
||||
|
||||
Table 3. Comparison between the Clinical Characteristics of Patients with and without Good Recovery from Severely Disabled Condition at Nadir.
|
||||
|
||||
| | | | | Neurological recovery | Neurological recovery | Neurological recovery | | p value |
|
||||
|-----------------------------------------------------------------------|-----------------------------------------------------------------------|-----------------------------------------------------------------------|----|-------------------------|-------------------------|-------------------------|----|-----------|
|
||||
| | | | | Good (n=8)a | | Poor (n=9) | | p value |
|
||||
| Median age (range) | | | | 77 (23-84) | | 79 (69-83) | | NS |
|
||||
| Herpes zoster | | Trigeminal, n (%) | | 2 (67%) | | 1 (33%) | | NS |
|
||||
| | | Cervical, n (%) | | 2 (29%) | | 5 (71%) | | NS |
|
||||
| | | Thoracic, n (%) | | 5 (71%) | | 2 (29%) | | NS |
|
||||
| | | Lumbar, n (%) | | 1 (20%) | | 4 (80%) | | NS |
|
||||
| | | Sacral, n (%) | | 0 (0%) | | 2 (100%) | | NS |
|
||||
| Immunocompromised condition, n (%) | Immunocompromised condition, n (%) | Immunocompromised condition, n (%) | | 2 (33%) | | 4 (67%) | | NS |
|
||||
| Median mRS before onset (range) | Median mRS before onset (range) | Median mRS before onset (range) | | 0 (0-1) | | 0 (0-4) | | NS |
|
||||
| Median days from onset of neurological symptom to first visit (range) | Median days from onset of neurological symptom to first visit (range) | Median days from onset of neurological symptom to first visit (range) | | 4 (0-33) | | 11 (0-38) | | NS |
|
||||
| Neurological phenotype | | Monoparesis, n (%) | | 2 (25%) | | 6 (75%) | | NS |
|
||||
| | | Meningitis, n (%) | | 3 (100%) | | 0 (0%) | | NS |
|
||||
| | | Encephalitis, n (%) | | 3 (60%) | | 2 (40%) | | NS |
|
||||
| CSF | | Cell count (/μL), median (range) | | 51 (8-371) | | 9 (0-328) | | 0.038 |
|
||||
| | | Protein (mg/dL), median (range) | | 116 (69-217) | | 62 (42-205) | | 0.027 |
|
||||
| Therapy | | Acyclovir, n (%) | | 8 (100%) | | 9 (100%) | | NS |
|
||||
| | | Steroid, n (%) | | 4 (50%) | | 9 (100%) | | 0.029 |
|
||||
| Median hospitalization days (range) | | | | 24 (15-49) | | 39 (6-77) | | NS |
|
||||
|
||||
## References
|
||||
|
||||
- K Shiraki; N Toyama; T Daikoku; M Yajima. Herpes zoster and recurrent herpes zoster.. Open Forum Infect Dis (2017)
|
||||
- J Nemoto; T Kanda. Varicella-zoster virus infection in the central nervous system.. Brain Nerve (2022)
|
||||
- T Lenfant; AS L'Honneur; B Ranque; . Neurological complications of varicella zoster virus reactivation: prognosis, diagnosis, and treatment of 72 patients with positive PCR in the cerebrospinal fluid.. Brain Behav (2022)
|
||||
- A Mirouse; R Sonneville; K Razazi; . Neurologic outcome of VZV encephalitis one year after ICU admission: a multicenter cohort study.. Ann Intensive Care (2022)
|
||||
- Y Ohtsu; Y Susaki; K Noguchi. Absorption, distribution, metabolism, and excretion of the novel helicase-primase inhibitor, amenamevir (ASP2151), in rodents.. Eur J Drug Metab Pharmacokinet (2018)
|
||||
- S Takeshima; Y Shiga; T Himeno; . Clinical, epidemiological and etiological studies of adult aseptic meningitis: report of 11 cases with varicella zoster virus meningitis.. Rinsho Shinkeigaku (Clin Neurol) (2017)
|
||||
- L Martinez-Almoyna; T De Broucker; A Mailles; JP Stahl. Management of infectious encephalitis in adults: highlights from the French guidelines (short version).. Rev Neurol (Paris) (2019)
|
||||
- T Solomon; BD Michael; PE Smith; . Management of suspected viral encephalitis in adults - Association of British Neurologists and British Infection Association National Guidelines.. J Infect (2012)
|
||||
- MA Nagel; D Jones; A Wyborny. Varicella zoster virus vasculopathy: the expanding clinical spectrum and pathogenesis.. J Neuroimmunol (2017)
|
@ -0,0 +1,48 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Atypical Hemolytic Uremic Syndro ... ofactor Protein (CD46) Genetic Variant
|
||||
item-2 at level 1: paragraph: Kosuke Mochizuki; Department of ... Kansai Electric Power Hospital, Japan
|
||||
item-3 at level 1: text: Atypical hemolytic uremic syndro ... equired for the manifestation of aHUS.
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: In the Kidney Disease: Improving ... f “secondary aHUS” have been excluded.
|
||||
item-6 at level 2: text: Pathogenic genetic variants in a ... t abnormality could not be identified.
|
||||
item-7 at level 1: section_header: Case Report
|
||||
item-8 at level 2: text: The laboratory data are shown in ... 469 U/L, and haptoglobin was 23 mg/dL.
|
||||
item-9 at level 2: text: The patient was found to have su ... he patient was discharged on day X+26.
|
||||
item-10 at level 2: text: We outsourced next-generation se ... aHUS triggered by acute pancreatitis.
|
||||
item-11 at level 1: section_header: Discussion
|
||||
item-12 at level 2: text: In the present case, the patient ... idered a limitation of this case (14).
|
||||
item-13 at level 2: text: Several triggers are thought to ... the manifestation of aHUS is unclear.
|
||||
item-14 at level 2: text: In the present case, aHUS develo ... as CFH, CFI, C3, and THBD (13,17,22).
|
||||
item-15 at level 2: text: The patient in this case respond ... US relapse is triggered by some event.
|
||||
item-16 at level 1: section_header: Tables
|
||||
item-18 at level 1: table with [10x15]
|
||||
item-18 at level 2: caption: Table 1. Progress of Lab-date in This Case.
|
||||
item-20 at level 1: table with [9x9]
|
||||
item-20 at level 2: caption: Table 2. Profiles of the Patients with MCP P165S Variant.
|
||||
item-21 at level 1: section_header: Figures
|
||||
item-23 at level 1: picture
|
||||
item-23 at level 2: caption: Figure. Abdominal computed tomography (CT) findings in this patient. (A) Day X+2 after performing endoscopic ultrasound-guided fine needle aspiration (EUS-FNA). The pancreatic body tail has a mildly reduced contrast effect in the arterial phase, consistent with the findings of acute pancreatitis. (B) Day X+7. CT indicates a low-absorption area suspected of being walled-off necrosis (WON) around the peripancreatic to the gastric body and gastric antrum.
|
||||
item-24 at level 1: section_header: References
|
||||
item-25 at level 1: list: group list
|
||||
item-26 at level 2: list_item: TH Goodship; HT Cook; F Fakhouri ... versies Conference.. Kidney Int (2017)
|
||||
item-27 at level 2: list_item: M Noris; G Remuzzi. Atypical hem ... -uremic syndrome.. N Engl J Med (2009)
|
||||
item-28 at level 2: list_item: J Caprioli; M Noris; S Brioschi; ... treatment, and outcome.. Blood (2006)
|
||||
item-29 at level 2: list_item: CJ Fang; V Fremeaux-Bacchi; MK L ... and the HELLP syndrome.. Blood (2008)
|
||||
item-30 at level 2: list_item: V Fremeaux-Bacchi; EA Moulton; D ... mic syndrome.. J Am Soc Nephrol (2006)
|
||||
item-31 at level 2: list_item: V Fremeaux-Bacchi; MA Dragon-Dur ... uraemic syndrome.. J Med Genet (2004)
|
||||
item-32 at level 2: list_item: M Fujisawa; H Kato; Y Yoshida; . ... mic syndrome.. Clin Exp Nephrol (2018)
|
||||
item-33 at level 2: list_item: Y Yoshida; T Miyata; M Matsumoto ... g mutations in Japan.. PLoS One (2015)
|
||||
item-34 at level 2: list_item: J Esparza-Gordillo; EG Jorge; CA ... affected pedigree.. Mol Immunol (2006)
|
||||
item-35 at level 2: list_item: A Richards; EJ Kemp; MK Liszewsk ... rome.. Proc Natl Acad Sci U S A (2003)
|
||||
item-36 at level 2: list_item: S Richards; N Aziz; S Bale; . St ... Molecular Pathology.. Genet Med (2015)
|
||||
item-37 at level 2: list_item: J Esparza-Gordillo; E Goicoechea ... cluster in 1q32.. Hum Mol Genet (2005)
|
||||
item-38 at level 2: list_item: E Bresin; E Rurali; J Caprioli; ... al phenotype.. J Am Soc Nephrol (2013)
|
||||
item-39 at level 2: list_item: Y Sugawara; H Kato; M Nagasaki; ... c uremic syndrome.. J Hum Genet (2023)
|
||||
item-40 at level 2: list_item: M Riedl; F Fakhouri; Quintrec M ... pproaches.. Semin Thromb Hemost (2014)
|
||||
item-41 at level 2: list_item: F Fakhouri; L Roumenina; F Provo ... ne mutations.. J Am Soc Nephrol (2010)
|
||||
item-42 at level 2: list_item: JM Campistol; M Arias; G Ariceta ... consensus document.. Nefrologia (2015)
|
||||
item-43 at level 2: list_item: Clech A Le; N Simon-Tillaux; F P ... netic risk factors.. Kidney Int (2019)
|
||||
item-44 at level 2: list_item: J Barish; P Kopparthy; B Fletche ... que presentation.. BMJ Case Rep (2019)
|
||||
item-45 at level 2: list_item: T Kajiyama; M Fukuda; Y Rikitake ... eatitis: a case report.. Cureus (2023)
|
||||
item-46 at level 2: list_item: O Taton; M Delhaye; P Stordeur; ... zumab.. Acta Gastroenterol Belg (2016)
|
||||
item-47 at level 2: list_item: M Noris; J Caprioli; E Bresin; . ... enotype.. Clin J Am Soc Nephrol (2010)
|
6357
tests/data/groundtruth/docling_v2/1349-7235-63-2651.nxml.json
Normal file
6357
tests/data/groundtruth/docling_v2/1349-7235-63-2651.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
89
tests/data/groundtruth/docling_v2/1349-7235-63-2651.nxml.md
Normal file
89
tests/data/groundtruth/docling_v2/1349-7235-63-2651.nxml.md
Normal file
@ -0,0 +1,89 @@
|
||||
# Atypical Hemolytic Uremic Syndrome Triggered by Acute Pancreatitis in a Patient with a Membrane Cofactor Protein (CD46) Genetic Variant
|
||||
|
||||
Kosuke Mochizuki; Department of Nephrology, Kansai Electric Power Hospital, Japan; Naohiro Toda; Department of Nephrology, Kansai Electric Power Hospital, Japan; Masaaki Fujita; Department of Rheumatology, Kansai Electric Power Hospital, Japan; Satoshi Kurahashi; Department of Nephrology, Kansai Electric Power Hospital, Japan; Hisako Hirashima; Department of Nephrology, Kansai Electric Power Hospital, Japan; Kazuki Yoshioka; Department of Hematology, Kansai Electric Power Hospital, Japan; Tomoya Kitagawa; Department of Hematology, Kansai Electric Power Hospital, Japan; Akira Ishii; Department of Nephrology, Kansai Electric Power Hospital, Japan; Toshiyuki Komiya; Department of Nephrology, Kansai Electric Power Hospital, Japan
|
||||
|
||||
Atypical hemolytic uremic syndrome (aHUS) is a type of HUS. We herein report a case of aHUS triggered by pancreatitis in a patient with a heterozygous variant of membrane cofactor protein ( MCP ; P165S), a complement-related gene. Plasma exchange therapy and hemodialysis improved thrombocytopenia and anemia without leading to end-stage kidney disease. This MCP heterozygous variant was insufficient to cause aHUS on its own. Pancreatitis, in addition to a genetic background with a MCP heterozygous variant, led to the manifestation of aHUS. This case supports the “multiple hit theory” that several factors are required for the manifestation of aHUS.
|
||||
|
||||
## Introduction
|
||||
|
||||
In the Kidney Disease: Improving Global Outcomes (KDIGO) classification, TMA is classified into four categories: STEC-HUS induced by Shiga toxin-producing Escherichia coli (STEC) infection, thrombotic thrombocytopenic purpura (TTP), “primary aHUS,” and “secondary aHUS.” TTP is caused by a marked deficiency in a disintegrin-like and metalloproteinase with thrombospondin type 1 motifs 13 (ADAMTS-13) activity, either because of genetic abnormalities or acquired autoantibodies. Conversely, more than 90% of HUS cases are STEC-HUS, and the remaining 10% are aHUS, which does not involve STEC infection (1,2). The term “primary aHUS” is used when an underlying abnormality of the alternative pathway of complement is strongly suspected, and other causes of “secondary aHUS” have been excluded.
|
||||
|
||||
Pathogenic genetic variants in a patient with aHUS include complement factor H (CFH), membrane cofactor protein (MCP; CD46), complement factor I (CFI), complement 3 (C3), complement factor B (CFB), thrombomodulin (THBD), complement factor H related protein 1 (CFHR1), complement factor H related protein 5 (CFHR5), and diacylglycerol kinase epsilon (DGKE) (3-6). Fujisawa et al. reported that, in an analysis of 118 aHUS patients in Japan, the frequencies of C3, CFH, MCP and DGKE genetic abnormalities were 32 (27%), 10 (8%), 5 (4%), and 1 (0.8%), respectively, and the frequency of anti-CFH antibodies was 20 (17%). Unidentified genetic abnormalities were reported in 36 patients (30%) (7). However, even in some patients, a complement abnormality could not be identified.
|
||||
|
||||
## Case Report
|
||||
|
||||
The laboratory data are shown in Table 1. After EUS-FNA, the patient complained of left-sided abdominal pain, and the pancreatic amylase level was found to have increased to 1,547 U/L. The patient's vital signs were as follows: body temperature, 37.5°C; and blood pressure, 136/74 mmHg. Contrast-enhanced computed tomography (CT) revealed a contrast-impaired area of the pancreatic tail and increased peripancreatic fatty tissue density (Figure A). The patient was diagnosed with acute pancreatitis after EUS-FNA. Treatment was started with fasting, analgesia with acetaminophen, treatment with nafamostat-mesylate, and large extracellular fluid replacement of 4,000 mL/day. Serum creatinine increased from 0.75 to 1.33 mg/dL, and the estimated glomerular filtration rate (eGFR) decreased from 87 to 46.5, indicating acute kidney injury. The urinary protein excretion was 6.15 g/gCr, and hematuria (3+) was observed. Blood samples showed progression of anemia from Hb 15.5 to 12.4 mg/dL, and platelets decreased from 313,000 to 5,000/μL. Schistocytes were detected at a rate of 50-70/2,000 red blood cells (RBCs), lactate dehydrogenase (LDH) levels were elevated to 2,469 U/L, and haptoglobin was 23 mg/dL.
|
||||
|
||||
The patient was found to have suffered a relapse of inflammation and showed elevated pancreatic enzymes on day X+7. CT showed pancreatic swelling and hypo-absorptive areas in the peripancreatic, gastric fold, and transverse colonic mesentery, suggesting the formation of walled-off necrosis (WON) (Figure B). The WON improved with antibiotic treatment. After confirming no recurrence of postprandial abdominal pain, the patient was discharged on day X+26.
|
||||
|
||||
We outsourced next-generation sequencing of complement-related genetic abnormalities to the KAZUSA DNA Research Institute. In the laboratory, CFH, CFI, MCP, C3, CFB, THBD, DGKE, and CFHR5 were analyzed using next-generation sequencing hybridization capture methods for rare single nucleotide substitutions and deletions with an allele frequency of <0.5%. In addition, complement function tests (sheep erythrocyte hemolysis test) and anti-CFH antibody tests were performed. The sheep erythrocyte hemolysis test was performed because it is useful for detecting genetic mutations in CFH and anti-CFH antibodies. The results showed the absence of anti-CFH antibodies (8). Genetic testing revealed a 493-base cytosine (C) to thymine (T) mutation in MCP (MCP P165S), a complement-related gene responsible for atypical HUS, resulting in a missense variant of proline-to-serine substitution and a heterozygous mutation in MCP. Based on the MCP findings, we considered this case to potentially be primary aHUS triggered by acute pancreatitis.
|
||||
|
||||
## Discussion
|
||||
|
||||
In the present case, the patient had a missense variant of MCP (MCP P165S). A previous report indicated a 50% reduction in MCP expression in leukocytes in patients with the MCP P165S variant (9). Another study reported that a 50% reduction in MCP expression leads to a decrease in the binding ability of C3b to <50% compared to normal MCP expression (10). The MCP P165S variant is not registered in Clinvar but is categorized as “likely pathogenic” according to the The American College of Medical Genetics and Genomics guidelines (ACMG guidelines) (11). Esparaza-Gordillio et al. reported families with the same genetic variant as this case and found that patients with only the MCP variant did not manifest aHUS, whereas those with coexisting the CFI mutation and MCPggaac single-nucleotide variant haplotype block, another variant of MCP, did manifest aHUS (9,12,13). The clinical characteristics of the patients with the MCP P165S variant are summarized in Table 2. In the present case, only the protein-coding region exons of CFH, CFI, CD46, C3, CFB, THBD, and DGKE and their intron boundaries were searched using the next-generation sequencer, and the multiple ligation-dependent probe amplification (MLPA) method was not used to detect structural variants. The lack of a genetic analysis using MLPA is considered a limitation of this case (14).
|
||||
|
||||
Several triggers are thought to be involved in the manifestation of aHUS, in addition to genetic mutations, including infection, pregnancy, transplantation, metabolic diseases, vasculitis, and pancreatitis, called the “multiple hit hypothesis” (13,15-17). Among the reported triggers, cases of aHUS triggered by pancreatitis are rare, accounting for just 3% (4/110) of secondary aHUS cases (18-21). Previously reported cases of aHUS triggered by pancreatitis were not specifically investigated for complement-related gene mutations, so whether or not complement-related gene mutations other than pancreatitis have any effects on the manifestation of aHUS is unclear.
|
||||
|
||||
In the present case, aHUS developed in a patient with a genetic variant (MCP P165S) that originally did not meet the threshold for aHUS development due to pancreatitis after EUS-FNA. This shows that several triggers, not just genetic mutations, are involved in the development of aHUS, supporting the “multiple hit hypothesis.” Patients with MCP variants have a better prognosis and lower probability of developing end-stage kidney disease (ESKD) and death than patients with other genetic mutations, such as CFH, CFI, C3, and THBD (13,17,22).
|
||||
|
||||
The patient in this case responded well to plasma exchange therapy and PE. He recovered his kidney function, supporting the relatively good prognosis of patients with MCP mutations compared to other aHUS-related gene mutations. Although the efficacy of eculizumab as a treatment for aHUS has been described in recent years, eculizumab was not used in this case, as the patient had a good clinical course with plasma exchange therapy and HD (17,19,21). In addition, infection with WON after pancreatitis was suspected on day X+7; therefore, it was difficult to use eculizumab, which produces immunosuppressive effects. However, the use of eculizumab should be considered in the future if aHUS relapse is triggered by some event.
|
||||
|
||||
## Tables
|
||||
|
||||
Table 1. Progress of Lab-date in This Case.
|
||||
|
||||
| Variable | | DAY0 | | DAY2 | | DAY3 | | DAY4 | | DAY7 | | DAY11 | | DAY14 |
|
||||
|---------------------|----|--------|----|--------|----|--------|----|--------|----|--------|----|---------|----|---------|
|
||||
| WBC (×103/μL) | | 54 | | 112 | | 105 | | 107 | | 210 | | 171 | | 77 |
|
||||
| Haemoglobin (g/dL) | | 15.5 | | 12.4 | | 10.5 | | 8.8 | | 7.2 | | 7.9 | | 8.3 |
|
||||
| Platelets (×104/μL) | | 31.3 | | 0.5 | | 2.1 | | 1.6 | | 19.6 | | 63.8 | | 83 |
|
||||
| Cr (mg/dL) | | 0.75 | | 1.33 | | 1.51 | | 1.67 | | 1.34 | | 1 | | 0.98 |
|
||||
| LDH (U/L) | | 151 | | 2,469 | | 2,513 | | 2,024 | | 550 | | 447 | | 362 |
|
||||
| T-Bil (mg/dL) | | 0.77 | | 4.35 | | 4.57 | | 4.49 | | 1.98 | | 1 | | 0.82 |
|
||||
| P-Amy (U/L) | | 34 | | 1,632 | | 1,080 | | 302 | | 196 | | 134 | | 173 |
|
||||
| CRP (mg/dL) | | 0.47 | | 16.76 | | 25.95 | | 15.21 | | 21.22 | | 5.52 | | 1.43 |
|
||||
| Haptoglobin (mg/dL) | | 23 | | | | | | <10 | | | | | | 88 |
|
||||
|
||||
Table 2. Profiles of the Patients with MCP P165S Variant.
|
||||
|
||||
| patient | MCP mutation | Other gene variant | sex | Age at onset (yr) | Triggers | onset of aHUS | outcome at first episode | reference |
|
||||
|-----------|----------------|----------------------|-------|---------------------|--------------|-----------------|----------------------------|-------------|
|
||||
| This case | P165S | | M | 49 | pancreatitis | + | Remission | |
|
||||
| HUS68 | P165S | CFI(T538X) MCP ggaac | F | 57 | n.a. | + | Remission | (9) |
|
||||
| HUS84 | P165S | CFI(T538X) MCP ggaac | F | 41 | No trigger | + | Remission | (9) |
|
||||
| III-10 | P165S | | M | 52 | | - | | (9) |
|
||||
| III-11 | P165S | CFI(T538X) | M | 54 | | - | | (9) |
|
||||
| IV-1 | P165S | CFI(T538X) | F | 37 | | - | | (9) |
|
||||
| IV-2 | P165S | CFI(T538X) | M | 35 | | - | | (9) |
|
||||
| IV-3 | P165S | | F | 30 | | - | | (9) |
|
||||
|
||||
## Figures
|
||||
|
||||
Figure. Abdominal computed tomography (CT) findings in this patient. (A) Day X+2 after performing endoscopic ultrasound-guided fine needle aspiration (EUS-FNA). The pancreatic body tail has a mildly reduced contrast effect in the arterial phase, consistent with the findings of acute pancreatitis. (B) Day X+7. CT indicates a low-absorption area suspected of being walled-off necrosis (WON) around the peripancreatic to the gastric body and gastric antrum.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- TH Goodship; HT Cook; F Fakhouri; . Atypical hemolytic uremic syndrome and C3 glomerulopathy: conclusions from a “kidney disease: improving global outcomes” (KDIGO) Controversies Conference.. Kidney Int (2017)
|
||||
- M Noris; G Remuzzi. Atypical hemolytic-uremic syndrome.. N Engl J Med (2009)
|
||||
- J Caprioli; M Noris; S Brioschi; . Genetics of HUS: the impact of MCP, CFH, and IF mutations on clinical presentation, response to treatment, and outcome.. Blood (2006)
|
||||
- CJ Fang; V Fremeaux-Bacchi; MK Liszewski; . Membrane cofactor protein mutations in atypical hemolytic uremic syndrome (aHUS), fatal Stx-HUS, C3 glomerulonephritis, and the HELLP syndrome.. Blood (2008)
|
||||
- V Fremeaux-Bacchi; EA Moulton; D Kavanagh; . Genetic and functional analyses of membrane cofactor protein (CD46) mutations in atypical hemolytic uremic syndrome.. J Am Soc Nephrol (2006)
|
||||
- V Fremeaux-Bacchi; MA Dragon-Durey; J Blouin; . Complement factor I: a susceptibility gene for atypical haemolytic uraemic syndrome.. J Med Genet (2004)
|
||||
- M Fujisawa; H Kato; Y Yoshida; . Clinical characteristics and genetic backgrounds of Japanese patients with atypical hemolytic uremic syndrome.. Clin Exp Nephrol (2018)
|
||||
- Y Yoshida; T Miyata; M Matsumoto; . A novel quantitative hemolytic assay coupled with restriction fragment length polymorphisms analysis enabled early diagnosis of atypical hemolytic uremic syndrome and identified unique predisposing mutations in Japan.. PLoS One (2015)
|
||||
- J Esparza-Gordillo; EG Jorge; CA Garrido; . Insights into hemolytic uremic syndrome: segregation of three independent predisposition factors in a large, multiple affected pedigree.. Mol Immunol (2006)
|
||||
- A Richards; EJ Kemp; MK Liszewski; . Mutations in human complement regulator, membrane cofactor protein (CD46), predispose to development of familial hemolytic uremic syndrome.. Proc Natl Acad Sci U S A (2003)
|
||||
- S Richards; N Aziz; S Bale; . Standards and guidelines for the interpretation of sequence variants: a joint consensus recommendation of the American College of Medical Genetics and Genomics and the Association for Molecular Pathology.. Genet Med (2015)
|
||||
- J Esparza-Gordillo; E Goicoechea de Jorge; A Buil; . Predisposition to atypical hemolytic uremic syndrome involves the concurrence of different susceptibility alleles in the regulators of complement activation gene cluster in 1q32.. Hum Mol Genet (2005)
|
||||
- E Bresin; E Rurali; J Caprioli; . Combined complement gene mutations in atypical hemolytic uremic syndrome influence clinical phenotype.. J Am Soc Nephrol (2013)
|
||||
- Y Sugawara; H Kato; M Nagasaki; . CFH-CFHR1 hybrid genes in two cases of atypical hemolytic uremic syndrome.. J Hum Genet (2023)
|
||||
- M Riedl; F Fakhouri; Quintrec M Le; . Spectrum of complement-mediated thrombotic microangiopathies: pathogenetic insights identifying novel treatment approaches.. Semin Thromb Hemost (2014)
|
||||
- F Fakhouri; L Roumenina; F Provot; . Pregnancy-associated hemolytic uremic syndrome revisited in the era of complement gene mutations.. J Am Soc Nephrol (2010)
|
||||
- JM Campistol; M Arias; G Ariceta; . An update for atypical haemolytic uraemic syndrome: diagnosis and treatment. A consensus document.. Nefrologia (2015)
|
||||
- Clech A Le; N Simon-Tillaux; F Provôt; . Atypical and secondary hemolytic uremic syndromes have a distinct presentation and no common genetic risk factors.. Kidney Int (2019)
|
||||
- J Barish; P Kopparthy; B Fletcher. Atypical haemolytic uremic syndrome secondary to acute pancreatitis: a unique presentation.. BMJ Case Rep (2019)
|
||||
- T Kajiyama; M Fukuda; Y Rikitake; O Takasu. Atypical hemolytic uremic syndrome secondary to pancreatitis: a case report.. Cureus (2023)
|
||||
- O Taton; M Delhaye; P Stordeur; T Goodship; Moine A Le; A Massart. An unusual case of haemolytic uraemic syndrome following endoscopic retrograde cholangiopancreatography rapidly improved with eculizumab.. Acta Gastroenterol Belg (2016)
|
||||
- M Noris; J Caprioli; E Bresin; . Relative role of genetic complement abnormalities in sporadic and familial aHUS and their impact on clinical phenotype.. Clin J Am Soc Nephrol (2010)
|
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@ -0,0 +1,164 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Characterization of TSET, an anc ... idespread membrane trafficking complex
|
||||
item-2 at level 1: paragraph: Jennifer Hirst; Cambridge Instit ... mbridge , Cambridge , United Kingdom
|
||||
item-3 at level 1: text: The heterotetrameric AP and F-CO ... p://dx.doi.org/10.7554/eLife.02866.002
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: The evolution of eukaryotes some ... mbers of the AP/COPI subunit families.
|
||||
item-6 at level 1: section_header: Diagrams of APs and F-COPI.
|
||||
item-7 at level 2: text: (A) Structures of the assembled ... ements 1–4, Figure 1—source data 1, 2.
|
||||
item-8 at level 1: section_header: Summary table of all subunits identified using reverse HHpred.
|
||||
item-9 at level 2: text: The lighter shading indicates wh ... GI). The new complex is called ‘TSET’.
|
||||
item-10 at level 1: section_header: The search for novel AP-related complexes
|
||||
item-11 at level 2: text: Because we were unable to find a ... -based searching (Hirst et al., 2011).
|
||||
item-12 at level 2: text: In addition to known proteins, o ... ly members are only 14.63% identical).
|
||||
item-13 at level 1: section_header: TSET: a new trafficking complex
|
||||
item-14 at level 2: text: To determine whether the four ne ... xcess, probably due to overexpression.
|
||||
item-15 at level 2: text: Interestingly, two of the other ... r the newly identified heterotetramer.
|
||||
item-16 at level 2: text: The other three proteins in the ... embrane and/or endosomal compartments.
|
||||
item-17 at level 1: section_header: Characterisation of the TSET complex in Dictyostelium.
|
||||
item-18 at level 2: text: (A) Western blots of axenic D. d ... nts 1 and 2, Figure 2; Videos 1 and 2.
|
||||
item-19 at level 1: section_header: Characterisation of the TSET complex in Dictyostelium
|
||||
item-20 at level 2: text: One of the key properties of coa ... lasma membrane) from a cytosolic pool.
|
||||
item-21 at level 2: text: Silencing TPLATE in Arabidopsis ... ive without a functional TSET complex.
|
||||
item-22 at level 2: text: Very recently, the discoverers o ... stelium produce a very mild phenotype.
|
||||
item-23 at level 1: section_header: TSET is ancient and widespread in eukaryotes
|
||||
item-24 at level 2: text: When TPLATE was discovered in Ar ... complex was present prior to the LECA.
|
||||
item-25 at level 2: text: Although TSET is clearly ancient ... stinct from the known heterotetramers.
|
||||
item-26 at level 2: text: Phylogenetic analysis of the TTR ... a et al., 2010; Asensio et al., 2013).
|
||||
item-27 at level 2: text: Although TSET is deduced to have ... sted in our pre-opisthokont ancestors.
|
||||
item-28 at level 1: section_header: Distribution of TSET subunits.
|
||||
item-29 at level 2: text: (A) Coulson plot showing the dis ... data 1, Figure 3—figure supplement 1.
|
||||
item-30 at level 1: section_header: Evolution of TSET.
|
||||
item-31 at level 2: text: (A) Simplified diagram of the co ... also Figure 4—figure supplements 1–10.
|
||||
item-32 at level 1: section_header: Phylogenetic analysis of TPLATE, ... obustly excluded from the β-COP clade.
|
||||
item-33 at level 2: text: In this and all other figure sup ... es are denoted by symbols (see inset).
|
||||
item-34 at level 1: section_header: Conclusions
|
||||
item-35 at level 2: text: TSET is the latest addition to a ... nts) adding lineage-specific function.
|
||||
item-36 at level 2: text: Studies on the muniscins may hel ... sms as the clathrin pathway took over.
|
||||
item-37 at level 2: text: Thus, our bioinformatics tool, r ... to the history of the eukaryotic cell.
|
||||
item-38 at level 1: section_header: Construction of the ‘reverse HHpred’ database
|
||||
item-39 at level 2: text: The proteomes of various organis ... able to find the entire TSET complex.
|
||||
item-40 at level 1: section_header: Data assimilation
|
||||
item-41 at level 2: text: The large adaptor subunits share ... ptin), a shared homology is suggested.
|
||||
item-42 at level 1: section_header: Dictyostelium: the search for TSPOON and TCUP
|
||||
item-43 at level 2: text: While searching for genes encodi ... . purpureum TCUP) (www.dictybase.org).
|
||||
item-44 at level 1: section_header: Dictyostelium expression constructs
|
||||
item-45 at level 2: text: The σ-like (TSPOON) coding seque ... omoter (pDT61 and pDT58 respectively).
|
||||
item-46 at level 1: section_header: Dictyostelium cell culture and transformation
|
||||
item-47 at level 2: text: All of the methods used for cell ... at Bio-protocol (Hirst et al., 2015).
|
||||
item-48 at level 2: text: D. discoideum Ax2-derived strain ... medium containing 10 µg/ml blasicidin.
|
||||
item-49 at level 1: section_header: Dictyostelium microscopy and fractionation
|
||||
item-50 at level 2: text: Cells were transformed with GFP ... N-GFP and A15_TSPOON expressing cells.
|
||||
item-51 at level 2: text: For fractionation, cells express ... ody against GFP (Seaman et al., 2009).
|
||||
item-52 at level 1: section_header: Dictyostelium pulldowns and proteomics
|
||||
item-53 at level 2: text: Pulldowns were performed using D ... tham, MA) (Antrobus and Borner, 2011).
|
||||
item-54 at level 2: text: Proteins that came down in the n ... were then log-transformed and plotted.
|
||||
item-55 at level 1: section_header: Dictyostelium gene disruption
|
||||
item-56 at level 2: text: The TSPOON disruption plasmid wa ... nding sites in pLPBLP, yielding pDT70.
|
||||
item-57 at level 2: text: Growth of control vs mutant stra ... ing the resultant plaques (Kay, 1982).
|
||||
item-58 at level 1: section_header: Endocytosis assays
|
||||
item-59 at level 2: text: Membrane uptake was measured in ... time is 1/slope of the initial phase.
|
||||
item-60 at level 2: text: Fluid phase uptake was measured ... otein content (Traynor and Kay, 2007).
|
||||
item-61 at level 1: section_header: Comparative genomics
|
||||
item-62 at level 2: text: Sequences from Arabidopsis thali ... t generator v1.5 (Field et al., 2013).
|
||||
item-63 at level 1: section_header: Phylogenetic analysis
|
||||
item-64 at level 2: text: Identified sequences were combin ... are available in Supplementary file 1.
|
||||
item-65 at level 1: section_header: Homology modeling
|
||||
item-66 at level 2: text: The Phyre v2.0 web server (Kelle ... alized using MacPyMOL (www.pymol.org).
|
||||
item-67 at level 1: section_header: Figures
|
||||
item-69 at level 1: picture
|
||||
item-69 at level 2: caption: Figure 1. Diagrams of APs and F-COPI. (A) Structures of the assembled complexes. All six complexes are heterotetramers; the individual subunits are called adaptins in the APs (e.g., γ-adaptin) and COPs in COPI (e.g., γ-COP). The two large subunits in each complex are structurally similar to each other. They are arranged with their N-terminal domains in the core of the complex, and these domains are usually (but not always) followed by a flexible linker and an appendage domain. The medium subunits consist of an N-terminal longin-related domain followed by a C-terminal μ homology domain (MHD). The small subunits consist of a longin-related domain only. (B) Jpred secondary structure predictions of some of the known subunits (all from Homo sapiens), together with new family members from Dictyostelium discoideum (Dd) and Arabidopsis thaliana (At). See also Figure 1—figure supplements 1–4, Figure 1—source data 1, 2. DOI:http://dx.doi.org/10.7554/eLife.02866.003
|
||||
item-71 at level 1: picture
|
||||
item-71 at level 2: caption: Figure 1—figure supplement 1. PDB entries used to search for adaptor-related proteins. DOI:http://dx.doi.org/10.7554/eLife.02866.006
|
||||
item-73 at level 1: picture
|
||||
item-73 at level 2: caption: Figure 1—figure supplement 2. Summary table of all subunits identified using reverse HHpred. The lighter shading indicates where an orthologue was found either below the arbitrary cut-off, by using NCBI BLAST (see Figure 1—figure supplement 3), or by searching a genomic database (e.g., AP-1 μ1 |Naegr1|35900|, JGI). The new complex is called ‘TSET’. DOI:http://dx.doi.org/10.7554/eLife.02866.007
|
||||
item-75 at level 1: picture
|
||||
item-75 at level 2: caption: Figure 1—figure supplement 3. Subunits that failed to be identified using reverse HHpred, but were identified by homology searching using NCBI BLAST. DOI:http://dx.doi.org/10.7554/eLife.02866.008
|
||||
item-77 at level 1: picture
|
||||
item-77 at level 2: caption: Figure 1—figure supplement 4. TSET orthologues in different species. The orthologues were identified by reverse HHpred, except for those in italics, which were found by BLAST searching (NCBI) using closely related organisms. TTRAY1 and TTRAY2 were initially identified by proteomics in a complex with TSET, but could also have been predicted by reverse HHpred as closely related to β′-COP using the PDB structure, 3mkq_A. In all other organisms TTRAY1 and TTRAY2 were identified by NCBI BLAST (italics). Note that orthologues of TSAUCER in P. patens, and TTRAY 2 in M. pusilla were identified in Phytozome, which is a genomic database hosted by Joint Genome Institute (JGI). Note orthologues of TCUP in D. purpureum and TSPOON in D. discoideum were identified by searching genomic sequences using closely related sequences, and have been manually appended in DictyBase. In these cases corresponding sequences are not at present found at NCBI. Whilst S. moellendorffii and V. vinifera were included in the reverse HHpred database, they were not included in the Coulson plot. DOI:http://dx.doi.org/10.7554/eLife.02866.009
|
||||
item-79 at level 1: picture
|
||||
item-79 at level 2: caption: Figure 1—figure supplement 5. Identification of ENTH/ANTH domain proteins and the AP complexes with which they associate, using reverse HHpred. Reverse HHpred searches were initiated using the key words ‘epsin’ or ‘ENTH’. The PDB structures used were: 1eyh_A (Chain A, Crystal Structure Of The Epsin N-Terminal Homology (Enth) Domain At 1.56 Angstrom Resolution); 1inz_A (Chain A, Solution Structure Of The Epsin N-Terminal Homology (Enth) Domain Of Human Epsin); 1xgw_A (Chain A, The Crystal Structure Of Human Enthoprotin N-Terminal Domain); 3onk_A (Chain A, Yeast Ent3_enth Domain), and the output was assimilated in Excel as described for the adaptors. The identity of the hits was determined using NCBI BLAST searching. Note that all of the organisms that have lost AP-4 have also lost its binding partner, tepsin. DOI:http://dx.doi.org/10.7554/eLife.02866.010
|
||||
item-81 at level 1: picture
|
||||
item-81 at level 2: caption: Figure 2. Characterisation of the TSET complex in Dictyostelium. (A) Western blots of axenic D. discoideum expressing either GFP-tagged small subunit (σ-like) or free GFP, under the control of the Actin15 promoter, labelled with anti-GFP. The Ax2 parental cell strain was included as a control, and an antibody against the AP-2α subunit was used to demonstrate that equivalent amounts of protein were loaded. (B) Coomassie blue-stained gel of GFP-tagged small subunit and associated proteins immunoprecipitated with anti-GFP. The GFP-tagged protein is indicated with a red asterix. (C) iBAQ ratios (an estimate of molar ratios) for the proteins that consistently coprecipitated with the GFP-tagged small subunit. All appear to be equimolar with each other, and the higher ratios for the small (σ-like/TSPOON) subunit and GFP are likely to be a consequence of their overexpression, which we also saw in a repeat experiment in which we used the small subunit's own promoter (Figure 2—figure supplement 1). (D) Predicted structure of the N-terminal portion of D. discoideum TTRAY1, shown as a ribbon diagram. (E) Stills from live cell imaging of cells expressing either TSPOON-GFP or free GFP, using TIRF microscopy. The punctate labelling in the TSPOON-GFP-expressing cells indicates that some of the construct is associated with the plasma membrane. See Videos 1 and 2. (F) Western blots of extracts from cells expressing either TSPOON-GFP or free GFP. The post-nuclear supernatants (PNS) were centrifuged at high speed to generate supernatant (cytosol) and pellet fractions. Equal protein loadings were probed with anti-GFP. Whereas the GFP was exclusively cytosolic, a substantial proportion of TSPOON-GFP fractionated into the membrane-containing pellet. (G) Mean generation time (MGT) for control (Ax2) and TSPOON knockout cells. The knockout cells grew slightly faster than the control. (H) Differentiation of the Ax2 control strain and two TSPOON knockout strains (1725 and 1727). All three strains produced fruiting bodies upon starvation. (I) Assay for fluid phase endocytosis. The control and knockout strains took up FITC-dextran at similar rates. (J) Assay for endocytosis of membrane, labelled with FM1-43, showing the time taken to internalise the entire surface area. The knockout strains took significantly longer than the control (*p<0.05; **p<0.01). See also Figure 2—figure supplements 1 and 2, Figure 2; Videos 1 and 2. DOI:http://dx.doi.org/10.7554/eLife.02866.011
|
||||
item-83 at level 1: picture
|
||||
item-83 at level 2: caption: Figure 2—figure supplement 1. Further characterisation of Dictyostelium TSET. (A) iBAQ ratios for the proteins that coprecipitated with TSPOON-GFP, normalized to the median abundance of all proteins across five experiments. ND = not detected. (B) Fluorescence and phase contrast micrographs of cells expressing GFP-tagged TSPOON under the control of its own promoter (Prom-TSPOON-GFP). The construct appears mainly cytosolic. (C) Homology modeling of TTRAYs from A. thaliana, D. discoideum, and N. gruberi, revealing two β-propeller domains followed by an α-solenoid. (D) Disruption of the TSPOON gene. PCR was used to amplify either the wild-type TSPOON gene (in Ax2) or the disrupted TSPOON gene. The resulting products were either left uncut (U) or digested with SmaI (S), which should not cut the wild-type gene, but should cleave the disrupted gene into three bands. Several clones are shown, including HM1725 (200/1 A1). (E) Spore viability after detergent treatment was used to test for integrity of the cellulosic spore and the ability to hatch in a timely manner. The control (Ax2) strain and the knockout (HM1725) strain both showed good viability. (F) Expansion rate of plaques on bacterial lawns. The rates for control (Ax2) and knockout (HM1725, 1727, and 1728) strains were similar initially, but by 2 days the control plaques were larger. (G) Micrographs of plaques from control and knockout strains. DOI:http://dx.doi.org/10.7554/eLife.02866.012
|
||||
item-85 at level 1: picture
|
||||
item-85 at level 2: caption: Figure 2—figure supplement 2. Distribution of secG. DOI:http://dx.doi.org/10.7554/eLife.02866.013
|
||||
item-87 at level 1: picture
|
||||
item-87 at level 2: caption: Figure 2—figure supplement 3. Distribution of vacuolins. DOI:http://dx.doi.org/10.7554/eLife.02866.014
|
||||
item-89 at level 1: picture
|
||||
item-89 at level 2: caption: Video 1. Related to Figure 2. TIRF microscopy of D. discoideum expressing TSPOON-GFP, expressed off its own promoter in TSPOON knockout cells. One frame was collected every second. Dynamic puncta can be seen, indicating that the construct forms patches at the plasma membrane. DOI:http://dx.doi.org/10.7554/eLife.02866.015
|
||||
item-91 at level 1: picture
|
||||
item-91 at level 2: caption: Video 2. Related to Figure 2. TIRF microscopy of D. discoideum expressing free GFP, driven by the Actin15 promoter in TSPOON knockout cells. One frame was collected every second. The signal is diffuse and cytosolic. DOI:http://dx.doi.org/10.7554/eLife.02866.016
|
||||
item-93 at level 1: picture
|
||||
item-93 at level 2: caption: Figure 3. Distribution of TSET subunits. (A) Coulson plot showing the distribution of TSET in a diverse set of representative eukaryotes. Presence of the entire complex in at least four supergroups suggests its presence in the last eukaryotic common ancestor (LECA) with frequent secondary loss. Solid sectors indicate sequences identified and classified using BLAST and HMMer. Empty sectors indicate taxa in which no significant orthologues were identified. Filled sectors in the Holozoa and Fungi represent F-BAR domain-containing FCHo and Syp1, respectively. Taxon name abbreviations are inset. Names in bold indicate taxa with all six components. (B) Deduced evolutionary history of TSET as present in the LECA but independently lost multiple times, either partially or completely. See also Figure 3—source data 1, Figure 3—figure supplement 1. DOI:http://dx.doi.org/10.7554/eLife.02866.017
|
||||
item-95 at level 1: picture
|
||||
item-95 at level 2: caption: Figure 3—figure supplement 1. Models used for phylogenetic analyses. WC = with COPI; WOC = without COPI. DOI:http://dx.doi.org/10.7554/eLife.02866.019
|
||||
item-97 at level 1: picture
|
||||
item-97 at level 2: caption: Figure 4. Evolution of TSET. (A) Simplified diagram of the concatenated tree for TSET, APs, and COPI, based on Figure 4—figure supplement 8. Numbers indicate posterior probabilities for MrBayes and PhyloBayes and maxium-likelihood bootstrap values for PhyML and RAxML, in that order. (B) Schematic diagram of TSET. (C) Possible evolution of the three families of heterotetramers: TSET, APs, and COPI. We propose that the earliest ancestral complex was a likely a heterotrimer or a heterohexamer formed from two identical heterotrimers, containing large (red), small (yellow), and scaffolding (blue) subunits. All three of these proteins were composed of known ancient building blocks of the membrane-trafficking system (Vedovato et al., 2009): α-solenoid domains in both the large and scaffolding subunits; two β-propellers in the scaffolding subunit; and a longin domain forming the small subunit. The gene encoding the large subunit then duplicated and mutated to generate the two distinct types of large subunits (red and magenta), and the gene encoding the small subunit also duplicated and mutated (yellow and orange), with one of the two proteins (orange) acquiring a μ homology domain (MHD) to form the ancestral heterotetramer, as proposed by Boehm and Bonifacino (12). However, the scaffolding subunit remained a homodimer. Upon diversification into three separate families, the scaffolding subunit duplicated independently in TSET and COPI, giving rise to TTRAY1 and TTRAY2 in TSET, and to α- and β′-COP in COPI. COPI also acquired a new subunit, ε-COP (purple). The scaffolding subunit may have been lost in the ancestral AP complex, as indicated in the diagram; however, AP-5 is tightly associated with two other proteins, SPG11 and SPG15, and the relationship of SPG11 and SPG15 to TTRAY/B-COPI remains unresolved, so it is possible that SPG11 and SPG15 are highly divergent descendants of the original scaffolding subunits. The other AP complexes are free heterotetramers when in the cytosol, but membrane-associated AP-1 and AP-2 interact with another scaffold, clathrin; and AP-3 has also been proposed to interact transiently with a protein with similar architecture, Vps41 (Rehling et al., 1999; Cabrera et al., 2010; Asensio et al., 2013). So far no scaffold has been proposed for AP-4. Although the order of emergence of TSET and COP relative to adaptins is unresolved, our most recent analyses indicate that, contrary to previous reports (Hirst et al., 2011), AP-5 diverged basally within the adaptin clade, followed by AP-3, AP-4, and APs 1 and 2, all prior to the LECA. This still suggests a primordial bridging of the secretory and phagocytic systems prior to emergence of a trans-Golgi network. The muniscins arose much later, in ancestral opisthokonts, from a translocation of the TSET MHD-encoding sequence to a position immediately downstream from an F-BAR domain-encoding sequence. Another translocation occurred in plants, where an SH3 domain-coding sequence was inserted at the 3′ end of the TSAUCER-coding sequence. See also Figure 4—figure supplements 1–10. DOI:http://dx.doi.org/10.7554/eLife.02866.020
|
||||
item-99 at level 1: picture
|
||||
item-99 at level 2: caption: Figure 4—figure supplement 1. Phylogenetic analysis of TPLATE, β-COP, and β-adaptin, with TPLATE robustly excluded from the β-COP clade. In this and all other figure supplements to Figure 4, AP subunits are boxed in blue, F-COPI subunits are boxed in red, and subunits of TSET are boxed in yellow. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes) and bootstrap support from Maximum-likelihood analysis (RAxML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.021
|
||||
item-101 at level 1: picture
|
||||
item-101 at level 2: caption: Figure 4—figure supplement 2. Phylogenetic analysis of TPLATE and β-adaptin subunits (β-COP removed) showing, with weak support, that TPLATE is excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.022
|
||||
item-103 at level 1: picture
|
||||
item-103 at level 2: caption: Figure 4—figure supplement 3. Phylogenetic analysis of TSAUCER, γ-COP, and γαδεζ-adaptin subunits, with TCUP robustly excluded from the γ-COP clade, and weakly excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.023
|
||||
item-105 at level 1: picture
|
||||
item-105 at level 2: caption: Figure 4—figure supplement 4. Phylogenetic analysis of TSAUCER and γαδεζ-adaptin subunits (γ-COP removed), showing weak support for the exclusion of TSAUCER from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.024
|
||||
item-107 at level 1: picture
|
||||
item-107 at level 2: caption: Figure 4—figure supplement 5. Phylogenetic analysis of TCUP, δ-COP, and μ-adaptin subunits, with TSAUCER robustly excluded from the δ-COP clade and weakly excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.025
|
||||
item-109 at level 1: picture
|
||||
item-109 at level 2: caption: Figure 4—figure supplement 6. Phylogenetic analysis of TCUP and μ-adaptin subunits (δ-COP removed), showing weak support for the exclusion of TCUP from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.026
|
||||
item-111 at level 1: picture
|
||||
item-111 at level 2: caption: Figure 4—figure supplement 7. Phylogenetic analysis of TSPOON with ζ-COP and σ–adaptin subunits with moderate support for the exclusion of TSPOON from both the COPI and adaptin clades, in addition to moderate support for the monophyly of the TSPOON clade. DOI:http://dx.doi.org/10.7554/eLife.02866.027
|
||||
item-113 at level 1: picture
|
||||
item-113 at level 2: caption: Figure 4—figure supplement 8. TSET is a phylogenetically distinct lineage from F-COPI and the AP complexes. Phylogenetic analysis of the heterotetrameric complexes: F-COPI (orange), TSET (purple), and AP (magenta, blue, red, green, and yellow for 5, 3, 1, 2, and 4, respectively), shows strong, weak, and moderate support for clades of each complex, respectively. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes and PhyloBayes) and bootstrap support from Maximum-likelihood analysis (PhyML and RAXML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.028
|
||||
item-115 at level 1: picture
|
||||
item-115 at level 2: caption: Figure 4—figure supplement 9. Phylogenetic analysis of TTRAY1, TTRAY2, α-COP, and β′-COP. TTRAYs 1 and 2, and COPI α and β′, arose from separate gene duplications, indicating that the ancestral complex had only one such protein, although possibly present as two identical copies. Phylogenetic analysis of α- and β′-COPI (red), and TTRAYs 1 and 2 (yellow), shows a well supported COPI clade excluding all of the TTRAY1 and 2 sequences, suggesting that the duplications giving rise to these proteins occurred independently, and the utilization of two different outer coat members occurred through convergent evolution. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes) and bootstrap support from Maximum-likelihood analysis (RAxML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.029
|
||||
item-117 at level 1: picture
|
||||
item-117 at level 2: caption: Figure 4—figure supplement 10. Muniscin family members identified by reverse HHpred, using the following PDB structures. 2V0O_A (Chain A, Fcho2 F-Bar Domain); 3 G9H_A (Chain A, Crystal Structure Of The C-Terminal Mu Homology Domain Of Syp1); 3G9G_A (Chain A, Crystal Structure Of The N-Terminal EfcF-Bar Domain Of Syp1). DOI:http://dx.doi.org/10.7554/eLife.02866.030
|
||||
item-118 at level 1: section_header: References
|
||||
item-119 at level 1: list: group list
|
||||
item-120 at level 2: list_item: C Aguado-Velasco; MS Bretscher. ... . Molecular Biology of the Cell (1999)
|
||||
item-121 at level 2: list_item: R Antrobus; GHH Borner. Improved ... o-immunoprecipitation. PLOS ONE (2011)
|
||||
item-122 at level 2: list_item: CS Asensio; DW Sirkis; JW Maas; ... ory pathway. Developmental Cell (2013)
|
||||
item-123 at level 2: list_item: M Boehm; JS Bonifacino. Genetic ... ion from yeast to mammals. Gene (2002)
|
||||
item-124 at level 2: list_item: M Cabrera; L Langemeyer; M Mari; ... ane tethering. The EMBO Journal (2010)
|
||||
item-125 at level 2: list_item: C Camacho; G Coulouris; V Avagya ... pplications. BMC Bioinformatics (2009)
|
||||
item-126 at level 2: list_item: T Carver; SR Harris; M Berriman; ... perimental data. Bioinformatics (2012)
|
||||
item-127 at level 2: list_item: E Cocucci; F Aguet; S Boulant; T ... of a clathrin-coated pit. Cell (2012)
|
||||
item-128 at level 2: list_item: JB Dacks; PP Poon; MC Field. Phy ... of the United States of America (2008)
|
||||
item-129 at level 2: list_item: D Devos; S Dokudovskaya; F Alber ... ular architecture. PLOS Biology (2004)
|
||||
item-130 at level 2: list_item: RC Edgar. MUSCLE: a multiple seq ... complexity. BMC Bioinformatics (2004)
|
||||
item-131 at level 2: list_item: J Faix; L Kreppel; G Shaulsky; M ... system. Nucleic Acids Research (2004)
|
||||
item-132 at level 2: list_item: HI Field; RMR Coulson; MC Field. ... t generator. BMC Bioinformatics (2013)
|
||||
item-133 at level 2: list_item: MC Field; JB Dacks. First and la ... Current Opinion in Cell Biology (2009)
|
||||
item-134 at level 2: list_item: A Gadeyne; C Sanchez-Rodriguez; ... ted endocytosis in plants. Cell (2014)
|
||||
item-135 at level 2: list_item: D Gotthardt; HJ Warnatz; O Hensc ... . Molecular Biology of the Cell (2002)
|
||||
item-136 at level 2: list_item: WM Henne; E Boucrot; M Meinecke; ... n-mediated endocytosis. Science (2010)
|
||||
item-137 at level 2: list_item: J Hirst; LD Barlow; GC Francisco ... r protein complex. PLOS Biology (2011)
|
||||
item-138 at level 2: list_item: J Hirst; C Irving; GHH Borner. A ... ive spastic paraplegia. Traffic (2013)
|
||||
item-139 at level 2: list_item: J Hirst; RR Kay; D Traynor. Dict ... and Fractionation. Bio-protocol (2015)
|
||||
item-140 at level 2: list_item: N Jenne; R Rauchenberger; U Hack ... ytosis. Journal of Cell Science (1998)
|
||||
item-141 at level 2: list_item: RR Kay. cAMP and spore different ... of the United States of America (1982)
|
||||
item-142 at level 2: list_item: RR Kay. Cell differentiation in ... hogens. Methods in Cell Biology (1987)
|
||||
item-143 at level 2: list_item: LA Kelley; MJE Sternberg. Protei ... Phyre server. Nature Protocols (2009)
|
||||
item-144 at level 2: list_item: D Knecht; KM Pang. Electroporati ... m. Methods in Molecular Biology (1995)
|
||||
item-145 at level 2: list_item: VL Koumandou; B Wickstead; ML Gi ... chemistry and Molecular Biology (2013)
|
||||
item-146 at level 2: list_item: N Lartillot; T Lepage; S Blanqua ... olecular dating. Bioinformatics (2009)
|
||||
item-147 at level 2: list_item: JR Mayers; L Wang; J Pramanik; A ... of the United States of America (2013)
|
||||
item-148 at level 2: list_item: MA Miller; W Pfeiffer; T Schwart ... ting Environments Workshop. GCE (2010)
|
||||
item-149 at level 2: list_item: R Rauchenberger; U Hacker; J Mur ... tyostelium. Current Biology: CB (1997)
|
||||
item-150 at level 2: list_item: P Rehling; T Darsow; DJ Katzmann ... 1 function. Nature Cell Biology (1999)
|
||||
item-151 at level 2: list_item: A Reider; SL Barker; SK Mishra; ... ne tubulation. The EMBO Journal (2009)
|
||||
item-152 at level 2: list_item: F Ronquist; JP Huelsenbeck. MrBa ... er mixed models. Bioinformatics (2003)
|
||||
item-153 at level 2: list_item: A Schlacht; EK Herman; MJ Klute; ... Harbor Perspectives in Biology (2014)
|
||||
item-154 at level 2: list_item: B Schwanhäusser; D Busse; N Li; ... gene expression control. Nature (2011)
|
||||
item-155 at level 2: list_item: MNJ Seaman; ME Harbour; D Tatter ... TBC1D5. Journal of Cell Science (2009)
|
||||
item-156 at level 2: list_item: MC Shina; R Müller; R Blau-Wasse ... Dictyostelium amoebae. PLOS ONE (2010)
|
||||
item-157 at level 2: list_item: A Stamatakis. RAxML-VI-HPC: maxi ... nd mixed models. Bioinformatics (2006)
|
||||
item-158 at level 2: list_item: D Traynor; RR Kay. Possible role ... tility. Journal of Cell Science (2007)
|
||||
item-159 at level 2: list_item: PK Umasankar; S Sanker; JR Thiem ... patterning. Nature Cell Biology (2012)
|
||||
item-160 at level 2: list_item: D Van Damme; S Coutuer; R De Ryc ... o coat proteins. The Plant Cell (2006)
|
||||
item-161 at level 2: list_item: D Van Damme; A Gadeyne; M Vanstr ... of the United States of America (2011)
|
||||
item-162 at level 2: list_item: M Vedovato; V Rossi; JB Dacks; F ... in protein family. BMC Genomics (2009)
|
||||
item-163 at level 2: list_item: DM Veltman; G Akar; L Bosgraaf; ... ctyostelium discoideum. Plasmid (2009)
|
2601
tests/data/groundtruth/docling_v2/PMC4031984-elife-02866.nxml.json
Normal file
2601
tests/data/groundtruth/docling_v2/PMC4031984-elife-02866.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
280
tests/data/groundtruth/docling_v2/PMC4031984-elife-02866.nxml.md
Normal file
280
tests/data/groundtruth/docling_v2/PMC4031984-elife-02866.nxml.md
Normal file
@ -0,0 +1,280 @@
|
||||
# Characterization of TSET, an ancient and widespread membrane trafficking complex
|
||||
|
||||
Jennifer Hirst; Cambridge Institute for Medical Research , University of Cambridge , Cambridge , United Kingdom; Alexander Schlacht; Department of Cell Biology , University of Alberta , Edmonton , Canada; John P Norcott; Department of Engineering , University of Cambridge , Cambridge , United Kingdom; David Traynor; Cell Biology , MRC Laboratory of Molecular Biology , Cambridge , United Kingdom; Gareth Bloomfield; Cell Biology , MRC Laboratory of Molecular Biology , Cambridge , United Kingdom; Robin Antrobus; Cambridge Institute for Medical Research , University of Cambridge , Cambridge , United Kingdom; Robert R Kay; Cell Biology , MRC Laboratory of Molecular Biology , Cambridge , United Kingdom; Joel B Dacks; Department of Cell Biology , University of Alberta , Edmonton , Canada; Margaret S Robinson; Cambridge Institute for Medical Research , University of Cambridge , Cambridge , United Kingdom
|
||||
|
||||
The heterotetrameric AP and F-COPI complexes help to define the cellular map of modern eukaryotes. To search for related machinery, we developed a structure-based bioinformatics tool, and identified the core subunits of TSET, a 'missing link' between the APs and COPI. Studies in Dictyostelium indicate that TSET is a heterohexamer, with two associated scaffolding proteins. TSET is non-essential in Dictyostelium , but may act in plasma membrane turnover, and is essentially identical to the recently described TPLATE complex, TPC. However, whereas TPC was reported to be plant-specific, we can identify a full or partial complex in every eukaryotic supergroup. An evolutionary path can be deduced from the earliest origins of the heterotetramer/scaffold coat to its multiple manifestations in modern organisms, including the mammalian muniscins, descendants of the TSET medium subunits. Thus, we have uncovered the machinery for an ancient and widespread pathway, which provides new insights into early eukaryotic evolution. DOI: http://dx.doi.org/10.7554/eLife.02866.001 eLife digest Eukaryotes make up almost all of the life on Earth that we can see around us, and include organisms as diverse as animals, fungi, plants, slime moulds, and seaweeds. The defining feature of eukaryotes is that, unlike nearly all bacteria, they have membrane-bound compartments—such as the nucleus—within their cells. Moving molecules, such as proteins, between these compartments is essential for living eukaryotic cells, and these molecules are usually trafficked inside membrane-bound packages called vesicles. Two similar sets of protein complexes—each containing four different subunits—ensure that the molecules are packaged inside the correct vesicles. However, it is not clear how these two protein complexes (called the AP complexes and the COPI complex) are related to each other, and when and where they originated in the history of life. Now, Hirst, Schlacht et al. have discovered a new—but very ancient–protein complex that they refer to as the ‘missing link’ between the AP and COPI complexes. The four subunits inside this new complex were found by searching for proteins with shapes that were similar to those of the AP and COPI proteins, rather than just searching for proteins with similar sequences of amino acids. This approach identified related protein subunits in groups as diverse as plants and slime moulds, which suggests that this protein complex evolved in the earliest of the eukaryotes. The four subunits identified in a slime mould were confirmed to interact, and also shown to bind to the plasma membrane of living cells. One of the subunits had already been named TPLATE, so Hirst, Schlacht et al. decided to call the complex TSET; the other three subunits were named TSAUCER, TCUP and TSPOON, and two other proteins that interacted with the complex were both called TTRAY. While most of the TSET complex itself has been lost from humans and other animals, one of subunit appears to have evolved into a family of proteins that help molecules get into cells. The discovery of TSET reveals another major player in vesicle-trafficking that is not only important for our understanding of how modern eukaryotes work, but also how ancient eukaryotes evolved. DOI: http://dx.doi.org/10.7554/eLife.02866.002
|
||||
|
||||
## Introduction
|
||||
|
||||
The evolution of eukaryotes some 2 billion years ago radically changed the biosphere, giving rise to nearly all visible life on Earth. Key to this transition was the ability to generate intracellular membrane compartments and the trafficking pathways that interconnect them, mediated in part by the heterotetrameric adaptor complexes, APs 1–5 and COPI (Dacks et al., 2008; Field and Dacks, 2009; Hirst et al., 2011; Koumandou et al., 2013). In mammals, APs 1 and 2 and COPI are essential for viability, while mutations in the other APs cause severe genetic disorders (Boehm and Bonifacino, 2002; Hirst et al., 2013). The AP and COPI complexes share a similar architecture, due to common ancestry predating the last eukaryotic common ancestor (LECA). All six complexes consist of two large subunits of ∼100 kD, a medium subunit of ∼50 kD, and a small subunit of ∼20 kD (Figure 1A). Their function is to select cargo for packaging into transport vesicles, and together with membrane-deforming scaffolding proteins such as clathrin and the COPI B-subcomplex, they facilitate the trafficking of proteins and lipids between membrane compartments in the secretory and endocytic pathways. The recent discovery of the evolutionarily ancient AP-5 complex, found on late endosomes and lysosomes, added a new dimension to models of the endomembrane system, and raised the possibility that other undetected membrane-trafficking complexes might exist (Hirst et al., 2011). Therefore, we set out in search of additional members of the AP/COPI subunit families.
|
||||
|
||||
## Diagrams of APs and F-COPI.
|
||||
|
||||
(A) Structures of the assembled complexes. All six complexes are heterotetramers; the individual subunits are called adaptins in the APs (e.g., γ-adaptin) and COPs in COPI (e.g., γ-COP). The two large subunits in each complex are structurally similar to each other. They are arranged with their N-terminal domains in the core of the complex, and these domains are usually (but not always) followed by a flexible linker and an appendage domain. The medium subunits consist of an N-terminal longin-related domain followed by a C-terminal μ homology domain (MHD). The small subunits consist of a longin-related domain only. (B) Jpred secondary structure predictions of some of the known subunits (all from Homo sapiens), together with new family members from Dictyostelium discoideum (Dd) and Arabidopsis thaliana (At). See also Figure 1—figure supplements 1–4, Figure 1—source data 1, 2.
|
||||
|
||||
## Summary table of all subunits identified using reverse HHpred.
|
||||
|
||||
The lighter shading indicates where an orthologue was found either below the arbitrary cut-off, by using NCBI BLAST (see Figure 1—figure supplement 3), or by searching a genomic database (e.g., AP-1 μ1 |Naegr1|35900|, JGI). The new complex is called ‘TSET’.
|
||||
|
||||
## The search for novel AP-related complexes
|
||||
|
||||
Because we were unable to find any promising candidates for new AP/COPI-related machinery using sequence-based searches, we developed a more sensitive tool, designed to search for structural similarity rather than sequence similarity. Using HHpred to analyse every protein in the RefSeq database from 15 organisms, covering a broad span of eukaryotic diversity, we built a ‘reverse HHpred’ database. This database contains potential homologues for >300,000 different proteins (http://reversehhpred.cimr.cam.ac.uk), and can be searched with structures from the Protein Data Bank (PDB). As proof of principle, we used this database to identify all four subunits of the AP-5 complex (Figure 1—figure supplements 1 and 2; Figure 1—source data 1, 2), even though in our previous study only the medium subunit was initially detectable by bioinformatics-based searching (Hirst et al., 2011).
|
||||
|
||||
In addition to known proteins, our reverse HHpred database revealed novel candidates for each of the four subunit families, with orthologues present in diverse eukaryotes including plants and Dictyostelium (Figure 1—figure supplements 2–4, Figure 1—source data 1, 2). Secondary structure predictions confirmed that the new family members have similar folds to their counterparts in the AP complexes and COPI (Figure 1B). Only one of these proteins had been characterised functionally: TPLATE (NP\_186827.2), an Arabidopsis protein related to the AP β subunits and β-COP, found in a microscopy-based screen for proteins involved in mitosis and localised to the cell plate (Van Damme et al., 2006; Van Damme et al., 2011). There is some variability between orthologous subunits in different organisms: for instance, Arabidopsis has added an SH3 domain to the C-terminal end of its ‘γαδεζ’ large subunit, while Dictyostelium has lost the μ homology domain (MHD) at the end of its medium subunit; and in general there seems to be much less selective pressure on these genes than on those encoding other AP/COPI family members (e.g., the AP-1 β1 subunits are 58.01% identical in Dictyostelium and Arabidopsis, while the new β family members are only 14.63% identical).
|
||||
|
||||
## TSET: a new trafficking complex
|
||||
|
||||
To determine whether the four new candidate subunits identified in our searches actually form a complex, we transformed D. discoideum with a GFP-tagged version of its small (σ-like) subunit (Figure 2A), and then used anti-GFP to immunoprecipitate the construct and any associated proteins from cell extracts (Figure 2B). Precipitates were analysed by mass spectrometry, yielding ten proteins considered to be specifically immunoprecipitated (Figure 2—figure supplement 1a). Two of these were the small subunit itself and its GFP tag. Three others were the remaining candidate subunits: XP\_639969.1 (the β-like subunit), XP\_640471.1 (the γαδεζ-like subunit), and XP\_629998.1 (the μ-like subunit), confirming their presence in a complex. Quantification by iBAQ indicated that these three proteins were present in the immunoprecipitate at approximately equimolar levels (Figure 2C, Figure 2—figure supplement 1A), while the small subunit and GFP tag were in ∼15-fold molar excess, probably due to overexpression.
|
||||
|
||||
Interestingly, two of the other proteins in the immunoprecipitate, also approximately equimolar to the three coprecipitating subunits, were XP\_642289.1 and XP\_637150.1. Both proteins are predicted to consist of two N-terminal β-propeller domains followed by an α-solenoid (Figure 2D, Figure 2—figure supplement 1C). This type of architecture is found in several coat components, including clathrin heavy chain, SPG11 (associated with AP-5), the α-COP and β′-COP subunits of the COPI coat (B-COPI), and the Sec31 subunit of the COPII coat (Devos et al., 2004). HHpred analyses show that the closest matches for both XP\_642289.1 and XP\_637150.1 are β'-COP, followed by α-COP. Probable orthologues of XP\_642289.1 and XP\_637150.1 can be found in other organisms that have the four core subunits (Figure 1—figure supplement 4). Because proteins with this architecture often act as a coat for transport vesicles, we hypothesize that these proteins may provide a scaffold for the newly identified heterotetramer.
|
||||
|
||||
The other three proteins in the immunoprecipitate, secG and vacuolins A and B, appear to be less widespread taxonomically (Figure 2—figure supplement 2 and 3), but are nonetheless suggestive of function. SecG is related to the plasma membrane- and endosome-associated ARNO/cytohesin family of Arf GEFs in animal cells (Shina et al., 2010), and also appears to be equimolar with the core complex. Vacuolins are members of the SPFH (stomatin-prohibitin-flotillin-HflC/K) superfamily. They have been shown to associate with the late vacuole just before exocytosis and also with the plasma membrane (Rauchenberger et al., 1997; Gotthardt et al., 2002), and to contribute to vacuole function (Jenne et al., 1998). However, the amounts of coprecipitating vacuolins were more variable, suggesting that they are less tightly associated with the complex (Figure 2—figure supplement 1A). Thus, like TPLATE, both SecG and the vacuolins have been implicated in membrane traffic, acting at the plasma membrane and/or endosomal compartments.
|
||||
|
||||
## Characterisation of the TSET complex in Dictyostelium.
|
||||
|
||||
(A) Western blots of axenic D. discoideum expressing either GFP-tagged small subunit (σ-like) or free GFP, under the control of the Actin15 promoter, labelled with anti-GFP. The Ax2 parental cell strain was included as a control, and an antibody against the AP-2α subunit was used to demonstrate that equivalent amounts of protein were loaded. (B) Coomassie blue-stained gel of GFP-tagged small subunit and associated proteins immunoprecipitated with anti-GFP. The GFP-tagged protein is indicated with a red asterix. (C) iBAQ ratios (an estimate of molar ratios) for the proteins that consistently coprecipitated with the GFP-tagged small subunit. All appear to be equimolar with each other, and the higher ratios for the small (σ-like/TSPOON) subunit and GFP are likely to be a consequence of their overexpression, which we also saw in a repeat experiment in which we used the small subunit's own promoter (Figure 2—figure supplement 1). (D) Predicted structure of the N-terminal portion of D. discoideum TTRAY1, shown as a ribbon diagram. (E) Stills from live cell imaging of cells expressing either TSPOON-GFP or free GFP, using TIRF microscopy. The punctate labelling in the TSPOON-GFP-expressing cells indicates that some of the construct is associated with the plasma membrane. See Videos 1 and 2. (F) Western blots of extracts from cells expressing either TSPOON-GFP or free GFP. The post-nuclear supernatants (PNS) were centrifuged at high speed to generate supernatant (cytosol) and pellet fractions. Equal protein loadings were probed with anti-GFP. Whereas the GFP was exclusively cytosolic, a substantial proportion of TSPOON-GFP fractionated into the membrane-containing pellet. (G) Mean generation time (MGT) for control (Ax2) and TSPOON knockout cells. The knockout cells grew slightly faster than the control. (H) Differentiation of the Ax2 control strain and two TSPOON knockout strains (1725 and 1727). All three strains produced fruiting bodies upon starvation. (I) Assay for fluid phase endocytosis. The control and knockout strains took up FITC-dextran at similar rates. (J) Assay for endocytosis of membrane, labelled with FM1-43, showing the time taken to internalise the entire surface area. The knockout strains took significantly longer than the control (*p<0.05; **p<0.01). See also Figure 2—figure supplements 1 and 2, Figure 2; Videos 1 and 2.
|
||||
|
||||
## Characterisation of the TSET complex in Dictyostelium
|
||||
|
||||
One of the key properties of coat proteins is their ability to cycle on and off membranes. Although by widefield fluorescence microscopy TSPOON-GFP looked diffuse and cytosolic (Figure 2—figure supplement 1B), TIRF imaging showed a punctate pattern, especially in the cells with lower expression, indicating that some of the construct is associated with the plasma membrane (Figure 2E, Figure 2; Video 1). In contrast, free GFP appeared to be entirely cytosolic (Figure 2E, Figure 2; Video 2). In addition, high speed centrifugation of a post-nuclear supernatant showed a substantial amount of TSPOON-GFP coming down in the membrane-containing pellet, in contrast to free GFP, which was exclusively in the supernatant (Figure 2F). These findings indicate that like other coat proteins, the complex is transiently recruited onto a membrane (specifically, the plasma membrane) from a cytosolic pool.
|
||||
|
||||
Silencing TPLATE in Arabidopsis produces a very severe phenotype, with impaired growth and differentiation, thought to be caused by defects in clathrin-mediated endocytosis (Van Damme et al., 2006; Van Damme et al., 2011). To investigate the function of TSET in Dictyostelium, we disrupted the TSPOON gene by replacing most of the coding sequence with a selectable marker (Figure 2—figure supplement 1D). Surprisingly, the resulting knockout cells grew at least as fast a control axenic strain (Figure 2G shows the mean generation time); and differentiation also appeared normal, with fruiting bodies forming under appropriate stimuli (Figure 2H). Uptake of FITC-dextran, an assay for fluid phase endocytosis, was unimpaired in the TSPOON knockout cells (Figure 2I); however, uptake of FM1-43, a membrane marker, was slower than in the control (Figure 2J shows the time taken to internalise the entire surface area), indicating that TSET plays a role in plasma membrane turnover, consistent with studies on Arabidopsis. Nevertheless, it is clear that in contrast to Arabidopsis, Dictyostelium can thrive without a functional TSET complex.
|
||||
|
||||
Very recently, the discoverers of TPLATE used tandem affinity purification to identify TPLATE binding partners, and found the Arabidopsis orthologues of the TSET components that we identified independently in the present study (Gadeyne et al., 2014). The Arabidopsis pulldowns did not contain any proteins resembling secG or the vacuolins, supporting our hypothesis that these proteins are add-ons to the core heterohexamer. However, Arabidopsis TSET is associated with two additional proteins containing EH domains, which we did not find in our Dictyostelium pulldowns. Some of the Arabidopsis pulldowns also brought down components of the machinery for clathrin-mediated endocytosis, including clathrin itself. Although we also found clathrin and associated proteins in our Dictyostelium immunoprecipitates, these proteins were equally abundant in control immunoprecipitates from non-GFP-expressing cells, indicating that they were contaminants. The differences in proteins that coprecipitate with TSET in the two organisms are probably a reflection of functional differences: TSET knockouts in Arabidopsis are lethal and knockdowns profoundly affect clathrin-mediated endocytosis, while TSET knockdowns in Dictyostelium produce a very mild phenotype.
|
||||
|
||||
## TSET is ancient and widespread in eukaryotes
|
||||
|
||||
When TPLATE was discovered in Arabidopsis, it was reported to be unique to plant species (Van Damme et al., 2006; Van Damme et al., 2011). Similarly, in the more recent Arabidopsis study, the authors concluded that the complex was plant-specific (Gadeyne et al., 2014). However, these conclusions were based on analyses of plants, yeast, and humans only. Our identification and characterization of homologues of all six subunits in Dictyostelium discoideum, as well as their presence in the excavate Naegleria gruberi, suggested that the evolutionary distribution was much more extensive. In depth homology searching identified orthologues in genomes from across the broad diversity of eukaryotes (Figure 3, Figure 3—source data 1, Figure 3—figure supplement 1), strongly suggesting that the complex was present prior to the LECA.
|
||||
|
||||
Although TSET is clearly ancient, its relationship to the other heterotetrameric complexes was unclear from homology searching alone. Consequently, after analyses of the individual subunits (Figure 4—figure supplements 1–7), we performed a phylogenetic analysis on the concatenated set of the four core subunits for direct comparison of TSET with the other AP and COPI complexes (Figure 4A, Figure 4—figure supplement 8). This provided moderate support for TSET as a clade, but strong resolution excluding it from the APs and COPI, as well as backbone resolution between the heterotetramer clades. Thus, TSET is clearly an ancient component of the eukaryotic membrane-trafficking system, distinct from the known heterotetramers.
|
||||
|
||||
Phylogenetic analysis of the TTRAYs and their closest relatives, β′-COP and α-COP (Figure 4—figure supplement 9), showed that the paralogues are due to ancient duplications in the TSET and COPI families respectively, which occurred prior to the divergence of the LECA. Together, these findings imply that the ancestor of the TSET, COPI, and AP complexes was a heterohexamer rather than a heterotetramer, consisting of five different proteins, with the two scaffolding proteins present as two identical copies (Figure 4B,C). These scaffolding subunits then duplicated independently in COPI and TSET. The ancestral AP complex may have lost its original scaffolding subunits, although AP-5, the first AP to branch away, is closely associated with SPG11, a β-propeller + α-solenoid protein whose relationship to the TTRAYs and B-COPI is as yet unclear. None of the other APs has any closely associated proteins with this architecture, but AP-1 and AP-2 transiently interact with clathrin, and there may also be a transient association between AP-3 and another β-propeller + α-solenoid protein, Vps41 (Rehling et al., 1999; Cabrera et al., 2010; Asensio et al., 2013).
|
||||
|
||||
Although TSET is deduced to have been present in LECA, the complex appears to have been entirely or partially lost in various lineages (Figure 3B). None of the subunits has a full orthologue in opisthokonts (animals and fungi), indicating secondary loss in the line leading to humans. However, the C-terminal domain of TCUP is homologous to the C-terminal domains of the muniscins, opisthokont-specific proteins (Gadeyne et al., 2014) (Figure 4—figure supplement 10). This suggests that in opisthokonts, the TCUP gene retained its 3′ end, which then combined with a new 5′ end encoding an F-BAR domain to generate the muniscin family (Figure 4C). These include the vertebrate proteins FCHo1/2 and the yeast protein Syp1, important players in the endocytic pathway (Reider et al., 2009; Henne et al., 2010; Cocucci et al., 2012; Umasankar et al., 2012; Mayers et al., 2013). The muniscins constitute one of eight families of MHD proteins in humans, and the only family whose evolutionary origin was unexplained until now. The present study indicates not only that the muniscins are homologous to TCUP, but also that they are the sole surviving remnants of the full TSET complex that existed in our pre-opisthokont ancestors.
|
||||
|
||||
## Distribution of TSET subunits.
|
||||
|
||||
(A) Coulson plot showing the distribution of TSET in a diverse set of representative eukaryotes. Presence of the entire complex in at least four supergroups suggests its presence in the last eukaryotic common ancestor (LECA) with frequent secondary loss. Solid sectors indicate sequences identified and classified using BLAST and HMMer. Empty sectors indicate taxa in which no significant orthologues were identified. Filled sectors in the Holozoa and Fungi represent F-BAR domain-containing FCHo and Syp1, respectively. Taxon name abbreviations are inset. Names in bold indicate taxa with all six components. (B) Deduced evolutionary history of TSET as present in the LECA but independently lost multiple times, either partially or completely. See also Figure 3—source data 1, Figure 3—figure supplement 1.
|
||||
|
||||
## Evolution of TSET.
|
||||
|
||||
(A) Simplified diagram of the concatenated tree for TSET, APs, and COPI, based on Figure 4—figure supplement 8. Numbers indicate posterior probabilities for MrBayes and PhyloBayes and maxium-likelihood bootstrap values for PhyML and RAxML, in that order. (B) Schematic diagram of TSET. (C) Possible evolution of the three families of heterotetramers: TSET, APs, and COPI. We propose that the earliest ancestral complex was a likely a heterotrimer or a heterohexamer formed from two identical heterotrimers, containing large (red), small (yellow), and scaffolding (blue) subunits. All three of these proteins were composed of known ancient building blocks of the membrane-trafficking system (Vedovato et al., 2009): α-solenoid domains in both the large and scaffolding subunits; two β-propellers in the scaffolding subunit; and a longin domain forming the small subunit. The gene encoding the large subunit then duplicated and mutated to generate the two distinct types of large subunits (red and magenta), and the gene encoding the small subunit also duplicated and mutated (yellow and orange), with one of the two proteins (orange) acquiring a μ homology domain (MHD) to form the ancestral heterotetramer, as proposed by Boehm and Bonifacino (12). However, the scaffolding subunit remained a homodimer. Upon diversification into three separate families, the scaffolding subunit duplicated independently in TSET and COPI, giving rise to TTRAY1 and TTRAY2 in TSET, and to α- and β′-COP in COPI. COPI also acquired a new subunit, ε-COP (purple). The scaffolding subunit may have been lost in the ancestral AP complex, as indicated in the diagram; however, AP-5 is tightly associated with two other proteins, SPG11 and SPG15, and the relationship of SPG11 and SPG15 to TTRAY/B-COPI remains unresolved, so it is possible that SPG11 and SPG15 are highly divergent descendants of the original scaffolding subunits. The other AP complexes are free heterotetramers when in the cytosol, but membrane-associated AP-1 and AP-2 interact with another scaffold, clathrin; and AP-3 has also been proposed to interact transiently with a protein with similar architecture, Vps41 (Rehling et al., 1999; Cabrera et al., 2010; Asensio et al., 2013). So far no scaffold has been proposed for AP-4. Although the order of emergence of TSET and COP relative to adaptins is unresolved, our most recent analyses indicate that, contrary to previous reports (Hirst et al., 2011), AP-5 diverged basally within the adaptin clade, followed by AP-3, AP-4, and APs 1 and 2, all prior to the LECA. This still suggests a primordial bridging of the secretory and phagocytic systems prior to emergence of a trans-Golgi network. The muniscins arose much later, in ancestral opisthokonts, from a translocation of the TSET MHD-encoding sequence to a position immediately downstream from an F-BAR domain-encoding sequence. Another translocation occurred in plants, where an SH3 domain-coding sequence was inserted at the 3′ end of the TSAUCER-coding sequence. See also Figure 4—figure supplements 1–10.
|
||||
|
||||
## Phylogenetic analysis of TPLATE, β-COP, and β-adaptin, with TPLATE robustly excluded from the β-COP clade.
|
||||
|
||||
In this and all other figure supplements to Figure 4, AP subunits are boxed in blue, F-COPI subunits are boxed in red, and subunits of TSET are boxed in yellow. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes) and bootstrap support from Maximum-likelihood analysis (RAxML). Support values for other nodes are denoted by symbols (see inset).
|
||||
|
||||
## Conclusions
|
||||
|
||||
TSET is the latest addition to a growing set of trafficking proteins that have ancient distributions, but are frequently lost (Schlacht et al., 2014), or in the case of TSET reduced perhaps with neofunctionalization (Figure 3). This is consistent with the uneven distribution of the individual components (in contrast to the all-or-nothing distribution of AP-5), the additional apparently lineage-specific binding partners in Dictyostelium, and the acquisition of extra domains (e.g., F-BAR in opisthokonts and SH3 in plants) adding lineage-specific function.
|
||||
|
||||
Studies on the muniscins may help to explain the different phenotypes of TSET knockouts in Dictyostelium and Arabidopsis. Like Arabidopsis TSET, the muniscins interact with EH domain-containing proteins and participate in clathrin-mediated endocytosis (Reider et al., 2009; Henne et al., 2010; Cocucci et al., 2012; Umasankar et al., 2012; Mayers et al., 2013). Dictyostelium has lost its TCUP MHD, and it seems likely that concomitant with this loss, it also lost some of TSET's binding partners and functions. Nevertheless, we suspect that TSET may predate clathrin-mediated endocytosis, for two reasons. First, AP-1 and AP-2, the two AP complexes that function together with clathrin, are the most recent additions to the AP family (Figure 4A); and second, TSET already has its own β-propeller + α-solenoid scaffold, so it is not clear why it would need clathrin as well. Thus, the interaction between TSET and the clathrin pathway may have evolved considerably later than TSET itself, although still pre-LECA. It is tempting to speculate that TSET was part of the original endocytic machinery, which then became redundant in some organisms as the clathrin pathway took over.
|
||||
|
||||
Thus, our bioinformatics tool, reverse HHpred, is able to find novel homologues of known proteins, and could potentially be used to identify new players both in membrane traffic and in other pathways (Figure 1—figure supplement 5). Using this tool, we were able to find the four core subunits of an ancient complex belonging to the same family as the APs and COPI. This ancient complex, TSET, is therefore both the answer to the question of the origin of the last set of MHD proteins in humans, and a major new piece of the puzzle to be incorporated alongside the other membrane-trafficking machinery, as we delve into the history of the eukaryotic cell.
|
||||
|
||||
## Construction of the ‘reverse HHpred’ database
|
||||
|
||||
The proteomes of various organisms (detailed in Figure 1—figure supplement 2) were downloaded from the National Center for Biotechnology Information archives at ftp://ftp.ncbi.nih.gov/refseq/release/. The *.protein.faa.gz files obtained were then split into separate files, each containing one protein sequence. These were stored such that each directory contained information from only one species (the total number of protein ‘faa’ files searched for each organism were: Arabidopsis thaliana, 35270; Caenorhabditis elegans, 23903; Dictyostelium discoideum, 13262; Dictyostelium purpureum, 12399; Drosophila melanogaster, 22256; Giardia lamblia, 6502; Homo sapiens, 32977; Micromonas pusilla, 10269; Mus musculus, 29897; Naegleria gruberi , 15756; Physcomitrella patens, 35893; Saccharomyces cerevisiae, 5882; Schizosaccharomyces pombe, 5004; Selaginella moellendorffii, 31312; Vitis vinifera, 23492; Volvox carteri, 14429). The latest protein data bank (pdb70), which contains all publicly available 3D structures of proteins, was downloaded from the Gene Center Munich, Ludwig-Maximilians-Universität (LMU) Munich via their web site at: ftp://toolkit.lmb.uni-muenchen.de/pub/HHsearch/databases/hhsearch\_dbs/. The linux rpm version 2.0.11 of the hhsuite software was downloaded from the same website at ftp://toolkit.lmb.uni-muenchen.de/pub/HH-suite/releases/. Each of the faa files was then compared to the pdb70 databank using the hhsearch program from the above suite. The files were tested using the default parameters. Once each protein sequence was tested, the output file was parsed and the hits were extracted and then inserted into a mysql database. The database is searchable by keywords in PDB entries, and therefore is limited to searches where the structure of a given domain structure has been solved. The database is accessible using the link http://reversehhpred.cimr.cam.ac.uk, and searches can be initiated using keywords. Should the link become unavailable, or if you are interested in hosting this yourself please email jpn25@cam.ac.uk for more information. A conceptually similar database, ‘BackPhyre’, has independently been generated, using Phyre (Kelley and Sternberg, 2009) rather than HHpred as a starting point to identify homologues of known proteins based on predicted structural similarities. Like reverse HHpred, BackPhyre is able to find three of the four TSET subunits in Arabidopsis; however, the only eukaryotes represented in BackPhyre are A. thaliana, D. melanogaster, H. sapiens, M. musculus, P. falciparum, and S. cerevisiae; and without additional organisms, such as D. discoideum and N. gruberi, we would not have been able to find the entire TSET complex.
|
||||
|
||||
## Data assimilation
|
||||
|
||||
The large adaptor subunits share sequence and structure homology, as do the medium and small subunits. Therefore, we were able to combine searches for novel large subunits, or for medium/small subunits. Using the key words ‘clathrin’, ‘adaptor’, ‘adapter’, ‘adaptin’, ‘AP1’, ‘AP2’, ‘AP3’, ‘AP4’, we searched in PDB for solved structures of any large or medium/small subunit in a given organism (11 solved structures for the large subunits and six solved structures for the medium/small subunits were used to initiate searches [Figure 1—figure supplement 1]). These structures span different domains found within the subunits. For each search, a list was output of any proteins found to contain structural homology. Included in this information are the precise amino acids encompassing the region of similarity, the probability score, and most importantly the ‘result number’. A protein with a ‘result number’ of ‘1’ means that there was no other structure in the PDB database that it is more like. Since multiple structures for the various subunits were used, we could also factor in the number of times a particular protein was identified in a search (‘repeats’). These parameters were used as key pieces of evidence to determine how likely a hit in these searches would be. Once the primary data were outputted, all other manipulations were performed in Excel. For the large subunits there were 11 data sets (the 11 structures used to search for homologues), and for the medium/small subunits there were six data sets. The data manipulation was standardised at this point, and the following steps performed to assimilate the data. The data sets were sorted by result number to preclude anything with a result number of >50 (this means that there are 49 other structures in the PDB database that this protein is more similar to). Duplicates, where a protein was identified in multiple searches, were removed with the highest ranking (in ‘result’ terms) kept, and the number of times it was identified recorded in a new column (‘repeats’). The results were the ordered with the lowest ‘Result number’ and the highest ‘Probability’ to give a final list of proteins (Figure 1—source data 1, 2). Generally only proteins with a ‘Result number’ <10, ‘Probability’ >50%, at least 100 amino acids of homology (‘thstt’ to ‘thend’), and ‘Repeats’ at least two times were considered to be real hits. For ease of visualisation, only proteins with Result number <10 or ‘Repeats’ >2 are shown, and other proteins of interest (e.g., FCHo1, Syp1) with Result number <10 that did not fit the criteria listed above are greyed out. The ‘IDs’ have been deduced using NCBI BLAST searches, and have not been experimentally verified. Where the identity is ambiguous (such as the identity of a β-adaptin), a shared homology is suggested.
|
||||
|
||||
## Dictyostelium: the search for TSPOON and TCUP
|
||||
|
||||
While searching for genes encoding potential components of the complex in four dictyostelid genomes, we could find complete sets in Polysphondylium pallidum and Dictyostelium fasciculatum, but one component each was missing in the databases of predicted proteins of D. discoideum (σ-like subunit) and D. purpureum (μ-like subunit). We identified these genes by tblastn (Camacho et al., 2009), using the most closely related orthologous sequence as query and the chromosomal sequences as target. Gene models were created and refined using the Artemis tool (Carver et al., 2012). These two genes have been given the DictyBase IDs DDB\_G0350235 (D. discoideum TSPOON) and DPU0040472 (D. purpureum TCUP) (www.dictybase.org).
|
||||
|
||||
## Dictyostelium expression constructs
|
||||
|
||||
The σ-like (TSPOON) coding sequence (CDS) was synthesised (GeneCust) with a BglII restriction site inserted at its 5′ end, its stop codon removed, and a SpeI site inserted at its 3' end, then cloned into pBluescript KSII and sequenced. The CDS was then transferred into a derivative of pDM1005 (Veltman et al., 2009) as a BglII/SpeI fragment, placing GFP at the C terminus, with expression driven from the constitutive actin15 promoter, to generate plasmid pJH101. In addition, the TSPOON promoter and the first 105 bases of the CDS were amplified from Ax2 gemonic DNA by PCR, using primers (5′TATCTCGAGCGTCTTCATCTTCACTATCATTTAATG-3′) and (5′-TAAAAGCTTTTCATATTCACTCTGTTTCTCGTC-3′). The product was cut with XhoI/HindIII, and the 536-bp fragment cloned into the pBluescript KSII plasmid already containing the TSPOON CDS, via the XhoI site in the vector and the silent HindIII site introduced at nucleotide +97 of the TSPOON CDS during its synthesis. The resulting promoter-driven TSPOON CDS was removed by digestion with XhoI/SpeI and inserted into the corresponding sites of pDM323 and pDM450, resulting in expression constructs containing the TSPOON CDS with GFP fused at its C terminus and driven by its own promoter (pDT61 and pDT58 respectively).
|
||||
|
||||
## Dictyostelium cell culture and transformation
|
||||
|
||||
All of the methods used for cell biological studies on Dictyostelium are described in detail at Bio-protocol (Hirst et al., 2015).
|
||||
|
||||
D. discoideum Ax2-derived strains were grown and maintained in HL5 medium (Formedium) containing 200 µg/ml dihydrostreptomycin on tissue culture treated plastic dishes, or shaken at 180 rpm, at 22°C (Kay, 1987). Cells were transformed with expression constructs (30 µg/4 × 106 cells) by electroporation using previously described methods (Knecht and Pang, 1995). Transformants were selected and maintained in axenic medium supplemented with 60 µg/ml hygromycin (pDT58 and pJH101) and 20 µg/ml G418 (pDT61 and Actin15\_GTP; Traynor and Kay, 2007). For the TSPOON knockout, 17.5 µg of the blasticidin disruption cassette, freed from pDT70 by digestion with ApaI and SacII, was added to 4 × 106 Ax2 cells before electroporation. Transformants were selected and maintained in HL5 medium containing 10 µg/ml blasicidin.
|
||||
|
||||
## Dictyostelium microscopy and fractionation
|
||||
|
||||
Cells were transformed with GFP driven by the actin 15 promoter (A15\_GFP; Traynor and Kay, 2007), or with TSPOON-GFP driven by either the actin 15 promoter (A15\_TSPOON -GFP) or its own promoter (promoter\_TSPOON-GFP). For microscopy, the cells were washed in KK2 (16.5 mM KH2PO4, 3.8 mM K2HPO4, 2 mM MgSO4) at 2 × 107/ml and then transferred into glass bottom dishes (MatTek, Ashland, MA) at 1 × 106/cm2. They were either imaged immediately (vegetative) or allowed to starve for a further 6–8 hr (developed) before imaging live on a Zeiss Axiovert 200 inverted microscope (Carl Zeiss, Jena, Germany) using a Zeiss Plan Achromat 63 × oil immersion objective (numerical aperture 1.4), an OCRA-ER2 camera (Hamamatsu, Hamamatsu, Japan), and Improvision Openlab software (PerkinElmer, Waltham, MA). Various treatments including with or without starvation, fixation, pre-fixation saponin treatment did not reveal obvious membrane-associated labelling in cells expressing either promoter\_TSPOON-GFP and A15\_TSPOON expressing cells.
|
||||
|
||||
For fractionation, cells expressing A15\_GFP or promoter\_TSPOON-GFP were grown until they reached a density of 2–4 × 106/ml in selective media, and by microscopy >50% of cells were expressing GFP. Starting with a maximum of 8 × 108 cells, the cells were washed in KK2 buffer and then pelleted at 600 × g for 3 min. The cells were resuspended in PBS with a protease inhibitor cocktail (Roche), lysed by 8 strokes of a motorized Potter–Elvehjem homogenizer followed by 5 strokes through a 21-g needle, and centrifuged at 4100 × g for 32 min to get rid of nuclei and unbroken cells. The postnuclear supernatant was then centrifuged at 50,000 rpm (135,700 × g RCFmax) for 30 min in a TLA-110 rotor (Beckman Coulter) to recover the membrane pellet. The cytosolic supernatant and pellet were run on pre-cast NUPAGE 4–12% BisTris Gels (Novex) at equal protein loadings, and Western blots were probed with an antibody against GFP (Seaman et al., 2009).
|
||||
|
||||
## Dictyostelium pulldowns and proteomics
|
||||
|
||||
Pulldowns were performed using Dictyostelium discoideum stably expressing TSPOON-GFP under a constitutive (A15\_ TSPOON-GFP) and its own promoter (prom\_TSPOON-GFP). Similar results were found with both cell lines regardless of the promoter. Non-transformed cells were used as a control. Cells were grown until they reached a density of 2–4 × 106/ml in selective media, and by microscopy >50% of cells were expressing GFP. Starting with a maximum of 8 × 108 cells, they were pelleted by centrifugation (600×g for 2 min) and washed twice in KK2 buffer before being resuspended at 2 × 107 cells/ml in KK2 buffer and starved for 4–6 hr at 22°C by shaking at 180 rpm. The cells were then pelleted at 600×g for 3 min and then lysed in 4 ml PBS 1% TX100 plus protease inhibitor cocktail tablet (Roche) for 10 min on ice, and then spun 20,000×g 15 min to get rid of debris and insoluble material. By protein assay the resulting lysate contained 10–15 mg total protein. The lysates were pre-cleared using PA-sepharose 30 min, and then immunoprecipitated using anti-GFP overnight with rotation at 4°C. PA-sepharose was added for 60 min and then the antibody complexes washed with PBS 1%TX100 followed by PBS before elution from beads with 100 mM Tris, 2% SDS 60°C for 10 min. The eluted proteins were precipitated with acetone overnight at −20°C, recovered by spinning 15,000×g 5 min and then resuspending in sample buffer. The samples were run on pre-cast NUPAGE 4–12% BisTris Gels (Novex), stained with SimplyBlue Safe Stain (Invitrogen) and then cut into 8 gel slices. Each gel slice was processed by filter-aided sample preparation solution digest, and the sample was analyzed by liquid chromatography–tandem mass spectrometry in an Orbitrap mass spectrometer (Thermo Scientific; Waltham, MA) (Antrobus and Borner, 2011).
|
||||
|
||||
Proteins that came down in the non-transformed control were eliminated, as were any proteins with less than 5 identified peptides, proteins that did not consistently coimmunoprecipitate in three independent experiments, or proteins of very low abundance compared with the bait (i.e., molar ratios of <0.002). The remaining ten proteins were considered to be specifically immunoprecipitated. Normalized peptide intensities were used to estimate the relative abundance of the specific interactors (iBAQ method; Schwanhäusser et al., 2011). For each protein, the values from all five repeats were plotted, including the bait protein and GFP which are clearly overrepresented by overexpression. The relative abundances of proteins were normalized to the median abundance of all proteins across each experiment (i.e., median set to 1.0) and values were then log-transformed and plotted.
|
||||
|
||||
## Dictyostelium gene disruption
|
||||
|
||||
The TSPOON disruption plasmid was constructed by inserting regions amplified by PCR from upstream and downstream of the TSPOON gene into both side of the blasticidin-resistance cassette in pLPBLP (Faix et al., 2004). The primer pair used to amplify the 5′ region was TCP1 (5′-ACTGGGCCCTGATGTTTACCTCTCTTTGGGTCATCCCATTCTATAC-3′) with σ-TCP2 (5′-AAAAAGCTTTATTACCATTGTTATTGGTAATTAACAAACTATTGATC-3′) and for the 3′ homology TCP3 (5′-A CCGCGGCCGCATAATTCAAAGAGGTCATTTAGATCAAGTTCAATTAG-3′) with TCP4 (5′-CCTCCGCGGCTTCAGGCATTGGTTCAACTTCTTGATTATTCTCAAC -3'). The PCR products were inserted as ApaI/HindIII and NotI/SacII fragments into the corresponding sites in pLPBLP, yielding pDT70.
|
||||
|
||||
Growth of control vs mutant strains was assayed in HL5 medium, by calculating the mean generation time, and on Klebsiella aerogenes bacterial lawns, by monitoring the expansion of a spot of 104 cells. Spore viability was also assayed, both with and without detergent treatment, by clonally diluting spores on bacterial lawns and counting the resultant plaques (Kay, 1982).
|
||||
|
||||
## Endocytosis assays
|
||||
|
||||
Membrane uptake was measured in real time at 22°C with 2 × 106 cells in 1 ml of KK2C containing 10 µM FM1-43 (Life Technologies). Briefly, a 2-ml fluorimeter cuvette containing 0.9 ml of KK2C plus 11 µM FM1-43 was placed in the fluorimeter (PerkinElmer LS50B) with stirring set on high. The uptake was initiated by the addition of 100 µl cells at 2 × 107/ml in KK2C and data collected every 1.2 s at an excitation of 470 nm (slit width 5 nm) and emission of 570 nm (slit width 10 nm) for up to 360 s. The uptake curves were biphasic and the data were normalized against the initial rise in fluorescence, when the cells were first added to the FM1-43, as this essentially corresponds to the dye incorporation into the plasma membrane only (Aguado-Velasco and Bretscher, 1999). The uptake rate was calculated from linear regression of the initial linear phase of the uptake using GraphPad Prism software. The surface area uptake time is 1/slope of the initial phase.
|
||||
|
||||
Fluid phase uptake was measured at 22°C using FITC-dextran 70 kDa (Sigma FD-70) by adding 2 mg/ml (final) to cells (1 × 107/ml) in filtered HL5 medium that was shaken at 180 rpm. Duplicate 0.5 ml samples were taken at each time point and diluted in 1 ml of ice-cold HL5 in a microcentrifuge tube held on iced water. Cells were pelleted, the supernatant aspirated, and the pellet washed twice by centrifugation in 1.5 ml ice-cold wash buffer (KK2C plus 0.5%wt/vol BSA) before being lysed in 1 ml of buffer [100 mM Tris–HCl, 0.2% (vol/vol) Triton X-100, pH 8.6] and fluorescence then determined (excitation 490 nm, slit width 2.5 nm; emission 520 nm, slit width 10 nm). Data were normalized to protein content (Traynor and Kay, 2007).
|
||||
|
||||
## Comparative genomics
|
||||
|
||||
Sequences from Arabidopsis thaliana, Dictyostelium discoideum, and Naegleria gruberi were obtained with our new reverse HHpred tool. These sequences were used to build HMMs for each subunit using HMMer v3.1b1 (http://hmmer.org). HMMs were used to search the protein databases for the organisms in Figure 3A (see Figure 3—source data 1 for the location of each genomic database). Sequences identified as potential homologues were verified through reciprocal BLAST into the genomes of each of the original three sequences. Sequences were considered homologues if they retrieved the correct orthologue as the reciprocal best hit in at least one of the reference genomes, with an e-value at least two orders of magnitude better than the next best hit. New sequences were incorporated into the HMM prior to searching a new genome in order to increase the sensitivity and specificity of the HMM. Genomic protein databases were also searched by BLAST using the closest related organism with an identified sequence as the reference genome. Nucleotide databases (scaffolds or contigs) were also searched using tblastn to ensure that no sequences were missed resulting from incomplete protein databases. The distribution of TSET components is displayed in Coulson plot format using the Coulson plot generator v1.5 (Field et al., 2013).
|
||||
|
||||
## Phylogenetic analysis
|
||||
|
||||
Identified sequences were combined with the adaptin and COPI sequences from Hirst et al. (2011) into subunit-specific data sets with the intention of concatenation. Data sets were aligned using MUSCLE v3.6 (Edgar, 2004) and masked and trimmed using Mesquite v2.75. Phylogenetic analysis was carried out using MrBayes v.3.2.2 (Ronquist and Huelsenbeck, 2003) and RAxML v7.6.3 (Stamatakis, 2006), hosted on the CIPRES web portal (Miller et al., 2010). MrBayes was run using a mixed model with the gamma parameter until convergence (splits frequencey of 0.1). RAxML was run under the LG + F + CAT model (Lartillot et al., 2009) and bootstrapped with 100 pseudoreplicates. The resulting trees were visualized using FigTree v1.4. Initial data sets were run and long branches were removed. Data sets were then re-aligned and re-run as above. Opisthokont adaptin and COPI sequences were also removed from all data sets except from the TCUP alignment. Data sets were realigned and new phylogenetic analyses were carried out. Remaining sequences were used for concatenation. Sequences were aligned and trimmed, as above, and concatenated using Geneious v7.0.6. Subsequent phylogenetic analysis was carried using PhyloBayes v3.3 (Lartillot et al., 2009) under the LG + CAT model until a splits frequency of 0.1 and 100 sampling points was achieved, and PhyML v3.0, with model testing carried out using ProtTest v3.3. MrBayes and RAxML were used as above. Raw phylogenetic trees were converted into figures using Adobe Illustrator CS4. The models of amino acid sequence evolution are provided in Figure 3—figure supplement 1. The database identifiers of all sequences and their abbreviations and figure annotations are provided in Figure 3—source data 1. All alignments are available in Supplementary file 1.
|
||||
|
||||
## Homology modeling
|
||||
|
||||
The Phyre v2.0 web server (Kelley and Sternberg, 2009) was used to predict the 3D structures of each TTRAY from A. thaliana, D. discoideum, and N. gruberi. Default settings were used for structural predictions, and structures were visualized using MacPyMOL (www.pymol.org).
|
||||
|
||||
## Figures
|
||||
|
||||
Figure 1. Diagrams of APs and F-COPI. (A) Structures of the assembled complexes. All six complexes are heterotetramers; the individual subunits are called adaptins in the APs (e.g., γ-adaptin) and COPs in COPI (e.g., γ-COP). The two large subunits in each complex are structurally similar to each other. They are arranged with their N-terminal domains in the core of the complex, and these domains are usually (but not always) followed by a flexible linker and an appendage domain. The medium subunits consist of an N-terminal longin-related domain followed by a C-terminal μ homology domain (MHD). The small subunits consist of a longin-related domain only. (B) Jpred secondary structure predictions of some of the known subunits (all from Homo sapiens), together with new family members from Dictyostelium discoideum (Dd) and Arabidopsis thaliana (At). See also Figure 1—figure supplements 1–4, Figure 1—source data 1, 2. DOI:http://dx.doi.org/10.7554/eLife.02866.003
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 1—figure supplement 1. PDB entries used to search for adaptor-related proteins. DOI:http://dx.doi.org/10.7554/eLife.02866.006
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 1—figure supplement 2. Summary table of all subunits identified using reverse HHpred. The lighter shading indicates where an orthologue was found either below the arbitrary cut-off, by using NCBI BLAST (see Figure 1—figure supplement 3), or by searching a genomic database (e.g., AP-1 μ1 |Naegr1|35900|, JGI). The new complex is called ‘TSET’. DOI:http://dx.doi.org/10.7554/eLife.02866.007
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 1—figure supplement 3. Subunits that failed to be identified using reverse HHpred, but were identified by homology searching using NCBI BLAST. DOI:http://dx.doi.org/10.7554/eLife.02866.008
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 1—figure supplement 4. TSET orthologues in different species. The orthologues were identified by reverse HHpred, except for those in italics, which were found by BLAST searching (NCBI) using closely related organisms. TTRAY1 and TTRAY2 were initially identified by proteomics in a complex with TSET, but could also have been predicted by reverse HHpred as closely related to β′-COP using the PDB structure, 3mkq\_A. In all other organisms TTRAY1 and TTRAY2 were identified by NCBI BLAST (italics). Note that orthologues of TSAUCER in P. patens, and TTRAY 2 in M. pusilla were identified in Phytozome, which is a genomic database hosted by Joint Genome Institute (JGI). Note orthologues of TCUP in D. purpureum and TSPOON in D. discoideum were identified by searching genomic sequences using closely related sequences, and have been manually appended in DictyBase. In these cases corresponding sequences are not at present found at NCBI. Whilst S. moellendorffii and V. vinifera were included in the reverse HHpred database, they were not included in the Coulson plot. DOI:http://dx.doi.org/10.7554/eLife.02866.009
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 1—figure supplement 5. Identification of ENTH/ANTH domain proteins and the AP complexes with which they associate, using reverse HHpred. Reverse HHpred searches were initiated using the key words ‘epsin’ or ‘ENTH’. The PDB structures used were: 1eyh\_A (Chain A, Crystal Structure Of The Epsin N-Terminal Homology (Enth) Domain At 1.56 Angstrom Resolution); 1inz\_A (Chain A, Solution Structure Of The Epsin N-Terminal Homology (Enth) Domain Of Human Epsin); 1xgw\_A (Chain A, The Crystal Structure Of Human Enthoprotin N-Terminal Domain); 3onk\_A (Chain A, Yeast Ent3\_enth Domain), and the output was assimilated in Excel as described for the adaptors. The identity of the hits was determined using NCBI BLAST searching. Note that all of the organisms that have lost AP-4 have also lost its binding partner, tepsin. DOI:http://dx.doi.org/10.7554/eLife.02866.010
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 2. Characterisation of the TSET complex in Dictyostelium. (A) Western blots of axenic D. discoideum expressing either GFP-tagged small subunit (σ-like) or free GFP, under the control of the Actin15 promoter, labelled with anti-GFP. The Ax2 parental cell strain was included as a control, and an antibody against the AP-2α subunit was used to demonstrate that equivalent amounts of protein were loaded. (B) Coomassie blue-stained gel of GFP-tagged small subunit and associated proteins immunoprecipitated with anti-GFP. The GFP-tagged protein is indicated with a red asterix. (C) iBAQ ratios (an estimate of molar ratios) for the proteins that consistently coprecipitated with the GFP-tagged small subunit. All appear to be equimolar with each other, and the higher ratios for the small (σ-like/TSPOON) subunit and GFP are likely to be a consequence of their overexpression, which we also saw in a repeat experiment in which we used the small subunit's own promoter (Figure 2—figure supplement 1). (D) Predicted structure of the N-terminal portion of D. discoideum TTRAY1, shown as a ribbon diagram. (E) Stills from live cell imaging of cells expressing either TSPOON-GFP or free GFP, using TIRF microscopy. The punctate labelling in the TSPOON-GFP-expressing cells indicates that some of the construct is associated with the plasma membrane. See Videos 1 and 2. (F) Western blots of extracts from cells expressing either TSPOON-GFP or free GFP. The post-nuclear supernatants (PNS) were centrifuged at high speed to generate supernatant (cytosol) and pellet fractions. Equal protein loadings were probed with anti-GFP. Whereas the GFP was exclusively cytosolic, a substantial proportion of TSPOON-GFP fractionated into the membrane-containing pellet. (G) Mean generation time (MGT) for control (Ax2) and TSPOON knockout cells. The knockout cells grew slightly faster than the control. (H) Differentiation of the Ax2 control strain and two TSPOON knockout strains (1725 and 1727). All three strains produced fruiting bodies upon starvation. (I) Assay for fluid phase endocytosis. The control and knockout strains took up FITC-dextran at similar rates. (J) Assay for endocytosis of membrane, labelled with FM1-43, showing the time taken to internalise the entire surface area. The knockout strains took significantly longer than the control (*p<0.05; **p<0.01). See also Figure 2—figure supplements 1 and 2, Figure 2; Videos 1 and 2. DOI:http://dx.doi.org/10.7554/eLife.02866.011
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 2—figure supplement 1. Further characterisation of Dictyostelium TSET. (A) iBAQ ratios for the proteins that coprecipitated with TSPOON-GFP, normalized to the median abundance of all proteins across five experiments. ND = not detected. (B) Fluorescence and phase contrast micrographs of cells expressing GFP-tagged TSPOON under the control of its own promoter (Prom-TSPOON-GFP). The construct appears mainly cytosolic. (C) Homology modeling of TTRAYs from A. thaliana, D. discoideum, and N. gruberi, revealing two β-propeller domains followed by an α-solenoid. (D) Disruption of the TSPOON gene. PCR was used to amplify either the wild-type TSPOON gene (in Ax2) or the disrupted TSPOON gene. The resulting products were either left uncut (U) or digested with SmaI (S), which should not cut the wild-type gene, but should cleave the disrupted gene into three bands. Several clones are shown, including HM1725 (200/1 A1). (E) Spore viability after detergent treatment was used to test for integrity of the cellulosic spore and the ability to hatch in a timely manner. The control (Ax2) strain and the knockout (HM1725) strain both showed good viability. (F) Expansion rate of plaques on bacterial lawns. The rates for control (Ax2) and knockout (HM1725, 1727, and 1728) strains were similar initially, but by 2 days the control plaques were larger. (G) Micrographs of plaques from control and knockout strains. DOI:http://dx.doi.org/10.7554/eLife.02866.012
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 2—figure supplement 2. Distribution of secG. DOI:http://dx.doi.org/10.7554/eLife.02866.013
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 2—figure supplement 3. Distribution of vacuolins. DOI:http://dx.doi.org/10.7554/eLife.02866.014
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Video 1. Related to Figure 2. TIRF microscopy of D. discoideum expressing TSPOON-GFP, expressed off its own promoter in TSPOON knockout cells. One frame was collected every second. Dynamic puncta can be seen, indicating that the construct forms patches at the plasma membrane. DOI:http://dx.doi.org/10.7554/eLife.02866.015
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Video 2. Related to Figure 2. TIRF microscopy of D. discoideum expressing free GFP, driven by the Actin15 promoter in TSPOON knockout cells. One frame was collected every second. The signal is diffuse and cytosolic. DOI:http://dx.doi.org/10.7554/eLife.02866.016
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 3. Distribution of TSET subunits. (A) Coulson plot showing the distribution of TSET in a diverse set of representative eukaryotes. Presence of the entire complex in at least four supergroups suggests its presence in the last eukaryotic common ancestor (LECA) with frequent secondary loss. Solid sectors indicate sequences identified and classified using BLAST and HMMer. Empty sectors indicate taxa in which no significant orthologues were identified. Filled sectors in the Holozoa and Fungi represent F-BAR domain-containing FCHo and Syp1, respectively. Taxon name abbreviations are inset. Names in bold indicate taxa with all six components. (B) Deduced evolutionary history of TSET as present in the LECA but independently lost multiple times, either partially or completely. See also Figure 3—source data 1, Figure 3—figure supplement 1. DOI:http://dx.doi.org/10.7554/eLife.02866.017
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 3—figure supplement 1. Models used for phylogenetic analyses. WC = with COPI; WOC = without COPI. DOI:http://dx.doi.org/10.7554/eLife.02866.019
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4. Evolution of TSET. (A) Simplified diagram of the concatenated tree for TSET, APs, and COPI, based on Figure 4—figure supplement 8. Numbers indicate posterior probabilities for MrBayes and PhyloBayes and maxium-likelihood bootstrap values for PhyML and RAxML, in that order. (B) Schematic diagram of TSET. (C) Possible evolution of the three families of heterotetramers: TSET, APs, and COPI. We propose that the earliest ancestral complex was a likely a heterotrimer or a heterohexamer formed from two identical heterotrimers, containing large (red), small (yellow), and scaffolding (blue) subunits. All three of these proteins were composed of known ancient building blocks of the membrane-trafficking system (Vedovato et al., 2009): α-solenoid domains in both the large and scaffolding subunits; two β-propellers in the scaffolding subunit; and a longin domain forming the small subunit. The gene encoding the large subunit then duplicated and mutated to generate the two distinct types of large subunits (red and magenta), and the gene encoding the small subunit also duplicated and mutated (yellow and orange), with one of the two proteins (orange) acquiring a μ homology domain (MHD) to form the ancestral heterotetramer, as proposed by Boehm and Bonifacino (12). However, the scaffolding subunit remained a homodimer. Upon diversification into three separate families, the scaffolding subunit duplicated independently in TSET and COPI, giving rise to TTRAY1 and TTRAY2 in TSET, and to α- and β′-COP in COPI. COPI also acquired a new subunit, ε-COP (purple). The scaffolding subunit may have been lost in the ancestral AP complex, as indicated in the diagram; however, AP-5 is tightly associated with two other proteins, SPG11 and SPG15, and the relationship of SPG11 and SPG15 to TTRAY/B-COPI remains unresolved, so it is possible that SPG11 and SPG15 are highly divergent descendants of the original scaffolding subunits. The other AP complexes are free heterotetramers when in the cytosol, but membrane-associated AP-1 and AP-2 interact with another scaffold, clathrin; and AP-3 has also been proposed to interact transiently with a protein with similar architecture, Vps41 (Rehling et al., 1999; Cabrera et al., 2010; Asensio et al., 2013). So far no scaffold has been proposed for AP-4. Although the order of emergence of TSET and COP relative to adaptins is unresolved, our most recent analyses indicate that, contrary to previous reports (Hirst et al., 2011), AP-5 diverged basally within the adaptin clade, followed by AP-3, AP-4, and APs 1 and 2, all prior to the LECA. This still suggests a primordial bridging of the secretory and phagocytic systems prior to emergence of a trans-Golgi network. The muniscins arose much later, in ancestral opisthokonts, from a translocation of the TSET MHD-encoding sequence to a position immediately downstream from an F-BAR domain-encoding sequence. Another translocation occurred in plants, where an SH3 domain-coding sequence was inserted at the 3′ end of the TSAUCER-coding sequence. See also Figure 4—figure supplements 1–10. DOI:http://dx.doi.org/10.7554/eLife.02866.020
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 1. Phylogenetic analysis of TPLATE, β-COP, and β-adaptin, with TPLATE robustly excluded from the β-COP clade. In this and all other figure supplements to Figure 4, AP subunits are boxed in blue, F-COPI subunits are boxed in red, and subunits of TSET are boxed in yellow. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes) and bootstrap support from Maximum-likelihood analysis (RAxML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.021
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 2. Phylogenetic analysis of TPLATE and β-adaptin subunits (β-COP removed) showing, with weak support, that TPLATE is excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.022
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 3. Phylogenetic analysis of TSAUCER, γ-COP, and γαδεζ-adaptin subunits, with TCUP robustly excluded from the γ-COP clade, and weakly excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.023
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 4. Phylogenetic analysis of TSAUCER and γαδεζ-adaptin subunits (γ-COP removed), showing weak support for the exclusion of TSAUCER from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.024
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 5. Phylogenetic analysis of TCUP, δ-COP, and μ-adaptin subunits, with TSAUCER robustly excluded from the δ-COP clade and weakly excluded from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.025
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 6. Phylogenetic analysis of TCUP and μ-adaptin subunits (δ-COP removed), showing weak support for the exclusion of TCUP from the adaptin clade. DOI:http://dx.doi.org/10.7554/eLife.02866.026
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 7. Phylogenetic analysis of TSPOON with ζ-COP and σ–adaptin subunits with moderate support for the exclusion of TSPOON from both the COPI and adaptin clades, in addition to moderate support for the monophyly of the TSPOON clade. DOI:http://dx.doi.org/10.7554/eLife.02866.027
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 8. TSET is a phylogenetically distinct lineage from F-COPI and the AP complexes. Phylogenetic analysis of the heterotetrameric complexes: F-COPI (orange), TSET (purple), and AP (magenta, blue, red, green, and yellow for 5, 3, 1, 2, and 4, respectively), shows strong, weak, and moderate support for clades of each complex, respectively. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes and PhyloBayes) and bootstrap support from Maximum-likelihood analysis (PhyML and RAXML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.028
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 9. Phylogenetic analysis of TTRAY1, TTRAY2, α-COP, and β′-COP. TTRAYs 1 and 2, and COPI α and β′, arose from separate gene duplications, indicating that the ancestral complex had only one such protein, although possibly present as two identical copies. Phylogenetic analysis of α- and β′-COPI (red), and TTRAYs 1 and 2 (yellow), shows a well supported COPI clade excluding all of the TTRAY1 and 2 sequences, suggesting that the duplications giving rise to these proteins occurred independently, and the utilization of two different outer coat members occurred through convergent evolution. Node support for critical nodes is shown. Numbers indicate Bayesian posterior probabilities (MrBayes) and bootstrap support from Maximum-likelihood analysis (RAxML). Support values for other nodes are denoted by symbols (see inset). DOI:http://dx.doi.org/10.7554/eLife.02866.029
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Figure 4—figure supplement 10. Muniscin family members identified by reverse HHpred, using the following PDB structures. 2V0O\_A (Chain A, Fcho2 F-Bar Domain); 3 G9H\_A (Chain A, Crystal Structure Of The C-Terminal Mu Homology Domain Of Syp1); 3G9G\_A (Chain A, Crystal Structure Of The N-Terminal EfcF-Bar Domain Of Syp1). DOI:http://dx.doi.org/10.7554/eLife.02866.030
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- C Aguado-Velasco; MS Bretscher. Circulation of the plasma membrane in Dictyostelium. Molecular Biology of the Cell (1999)
|
||||
- R Antrobus; GHH Borner. Improved elution conditions for native co-immunoprecipitation. PLOS ONE (2011)
|
||||
- CS Asensio; DW Sirkis; JW Maas; K Egami; TL To; FM Brodsky; X Shu; Y Cheng; RH Edwards. Self-assembly of VPS41 promotes sorting required for biogenesis of the regulated secretory pathway. Developmental Cell (2013)
|
||||
- M Boehm; JS Bonifacino. Genetic analyses of adaptin function from yeast to mammals. Gene (2002)
|
||||
- M Cabrera; L Langemeyer; M Mari; R Rethmeier; I Orban; A Perz; C Bröcker; J Griffith; D Klose; HJ Steinhoff; F Reggiori; S Engelbrecht-Vandré; C Ungermann. Phosphorylation of a membrane curvature-sensing motif switches function of the HOPS subunit Vps41 in membrane tethering. The EMBO Journal (2010)
|
||||
- C Camacho; G Coulouris; V Avagyan; N Ma; J Papadopoulos; K Bealer; TL Madden. BLAST+: architecture and applications. BMC Bioinformatics (2009)
|
||||
- T Carver; SR Harris; M Berriman; J Parkhill; JA McQuillan. Artemis: an integrated platform for visualization and analysis of high-throughput sequence-based experimental data. Bioinformatics (2012)
|
||||
- E Cocucci; F Aguet; S Boulant; T Kirchhausen. The first five seconds in the life of a clathrin-coated pit. Cell (2012)
|
||||
- JB Dacks; PP Poon; MC Field. Phylogeny of endocytic components yields insight into the process of nonendosymbiotic organelle evolution. Proceedings of the National Academy of Sciences of the United States of America (2008)
|
||||
- D Devos; S Dokudovskaya; F Alber; R Williams; BT Chait; A Sali; MP Rout. Components of coated vesicles and nuclear pore complexes share a common molecular architecture. PLOS Biology (2004)
|
||||
- RC Edgar. MUSCLE: a multiple sequence alignment method with reduced time and space complexity. BMC Bioinformatics (2004)
|
||||
- J Faix; L Kreppel; G Shaulsky; M Schleicher; AR Kimmel. A rapid and efficient method to generate multiple gene disruptions in Dictyostelium discoideum using a single selectable marker and the Cre-loxP system. Nucleic Acids Research (2004)
|
||||
- HI Field; RMR Coulson; MC Field. An automated graphics tool for comparative genomics: the Coulson plot generator. BMC Bioinformatics (2013)
|
||||
- MC Field; JB Dacks. First and last ancestors: reconstructing evolution of the endomembrane system with ESCRTs, vesicle coat proteins, and nuclear pore complexes. Current Opinion in Cell Biology (2009)
|
||||
- A Gadeyne; C Sanchez-Rodriguez; S Vanneste; S Di Rubbo; H Zauber; K Vanneste; J Van Leene; N De Winne; D Eeckhout; G Persiau; E Van De Slijke; B Cannoot; L Vercruysse; JR Mayers; M Adamowski; U Kania; M Ehrlich; A Schweighofer; T Ketelaar; S Maere; SY Bednarek; J Friml; K Gevaert; E Witters; E Russinova; S Persson; G De Jaeger; D Van Damme. The TPLATE adaptor complex drives clathrin-mediated endocytosis in plants. Cell (2014)
|
||||
- D Gotthardt; HJ Warnatz; O Henschel; F Brückert; M Schleicher; T Soldati. High-resolution dissection of phagosome maturation reveals distinct membrane trafficking phases. Molecular Biology of the Cell (2002)
|
||||
- WM Henne; E Boucrot; M Meinecke; E Evergren; Y Vallis; R Mittal; HT McMahon. FCHO proteins are nucleators of clathrin-mediated endocytosis. Science (2010)
|
||||
- J Hirst; LD Barlow; GC Francisco; DA Sahlender; MNJ Seaman; JB Dacks; MS Robinson. The fifth adaptor protein complex. PLOS Biology (2011)
|
||||
- J Hirst; C Irving; GHH Borner. Adaptor protein complexes AP-4 and AP-5: new players in endosomal trafficking and progressive spastic paraplegia. Traffic (2013)
|
||||
- J Hirst; RR Kay; D Traynor. Dictyostelium Cultivation, Transfection, Microscopy and Fractionation. Bio-protocol (2015)
|
||||
- N Jenne; R Rauchenberger; U Hacker; T Kast; M Maniak. Targeted gene disruption reveals a role for vacuolin B in the late endocytic pathway and exocytosis. Journal of Cell Science (1998)
|
||||
- RR Kay. cAMP and spore differentiation in Dictyostelium discoideum. Proceedings of the National Academy of Sciences of the United States of America (1982)
|
||||
- RR Kay. Cell differentiation in monolayers and the investigation of slime mold morphogens. Methods in Cell Biology (1987)
|
||||
- LA Kelley; MJE Sternberg. Protein structure prediction on the web: a case study using the Phyre server. Nature Protocols (2009)
|
||||
- D Knecht; KM Pang. Electroporation of Dictyostelium discoideum. Methods in Molecular Biology (1995)
|
||||
- VL Koumandou; B Wickstead; ML Ginger; M van der Giezen; JB Dacks; MC Field. Molecular paleontology and complexity in the last eukaryotic common ancestor. Critical Reviews in Biochemistry and Molecular Biology (2013)
|
||||
- N Lartillot; T Lepage; S Blanquart. PhyloBayes 3: a Bayesian software package for phylogenetic reconstruction and molecular dating. Bioinformatics (2009)
|
||||
- JR Mayers; L Wang; J Pramanik; A Johnson; A Sarkeshik; Y Wang; W Saengsawang; JR Yates; A Audhya. Regulation of ubiquitin-dependent cargo sorting by multiple endocytic adaptors at the plasma membrane. Proceedings of the National Academy of Sciences of the United States of America (2013)
|
||||
- MA Miller; W Pfeiffer; T Schwartz. Creating the CIPRES Science Gateway for inference of large phylogenetic trees. in Proceedings of the Gateway Computing Environments Workshop. GCE (2010)
|
||||
- R Rauchenberger; U Hacker; J Murphy; J Niewöhner; M Maniak. Coronin and vacuolin identify consecutive stages of a late, actin-coated endocytic compartment in Dictyostelium. Current Biology: CB (1997)
|
||||
- P Rehling; T Darsow; DJ Katzmann; SD Emr. Formation of AP-3 transport intermediates requires Vps41 function. Nature Cell Biology (1999)
|
||||
- A Reider; SL Barker; SK Mishra; YJ Im; L Maldonado-Baez; JH Hurley; LM Traub; B Wendland. Syp1 is a conserved endocytic adaptor that contains domains involved in cargo selection and membrane tubulation. The EMBO Journal (2009)
|
||||
- F Ronquist; JP Huelsenbeck. MrBayes 3: Bayesian phylogenetic inference under mixed models. Bioinformatics (2003)
|
||||
- A Schlacht; EK Herman; MJ Klute; MC Field; JB Dacks. Missing pieces of an ancient puzzle: Evolution of the eukaryotic membrane-trafficking system. Cold Spring Harbor Perspectives in Biology (2014)
|
||||
- B Schwanhäusser; D Busse; N Li; G Dittmar; J Schuchhardt; J Wolf; W Chen; M Selbach. Global quantification of mammalian gene expression control. Nature (2011)
|
||||
- MNJ Seaman; ME Harbour; D Tattersall; E Read; N Bright. Membrane recruitment of the cargo-selective retromer subcomplex is catalysed by the small GTPase Rab7 and inhibited by the Rab-GAP TBC1D5. Journal of Cell Science (2009)
|
||||
- MC Shina; R Müller; R Blau-Wasser; G Glöckner; M Schleicher; L Eichinger; AA Noegel; W Kolanus. A cytohesin homolog in Dictyostelium amoebae. PLOS ONE (2010)
|
||||
- A Stamatakis. RAxML-VI-HPC: maximum likelihood-based phylogenetic analyses with thousands of taxa and mixed models. Bioinformatics (2006)
|
||||
- D Traynor; RR Kay. Possible roles of the endocytic cycle in cell motility. Journal of Cell Science (2007)
|
||||
- PK Umasankar; S Sanker; JR Thieman; S Chakraborty; B Wendland; M Tsang; LM Traub. Distinct and separable activities of the endocytic clathrin-coat components Fcho1/2 and AP-2 in developmental patterning. Nature Cell Biology (2012)
|
||||
- D Van Damme; S Coutuer; R De Rycke; FY Bouget; D Inzé; D Geelen. Somatic cytokinesis and pollen maturation in Arabidopsis depend on TPLATE, which has domains similar to coat proteins. The Plant Cell (2006)
|
||||
- D Van Damme; A Gadeyne; M Vanstraelen; D Inzé; MC Van Montagu; G De Jaeger; E Russinova; D Geelen. Adaptin-like protein TPLATE and clathrin recruitment during plant somatic cytokinesis occurs via two distinct pathways. Proceedings of the National Academy of Sciences of the United States of America (2011)
|
||||
- M Vedovato; V Rossi; JB Dacks; F Filippini. Comparative analysis of plant genomes allows the definition of the “Phytolongins”: a novel non-SNARE longin domain protein family. BMC Genomics (2009)
|
||||
- DM Veltman; G Akar; L Bosgraaf; PJ Van Haastert. A new set of small, extrachromosomal expression vectors for Dictyostelium discoideum. Plasmid (2009)
|
52
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.itxt
Normal file
52
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.itxt
Normal file
@ -0,0 +1,52 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: title: Comparison of written reports of ... asis on magnetic resonance mammography
|
||||
item-2 at level 1: paragraph: Sabine Malur; Department of Gyne ... ch-Schiller University, Jena, Germany.
|
||||
item-3 at level 1: text: Patients with abnormal breast fi ... to that of MR mammography (ie 94.6%).
|
||||
item-4 at level 1: section_header: Introduction
|
||||
item-5 at level 2: text: Mammography and sonography are t ... aphy and mammography are combined [3].
|
||||
item-6 at level 2: text: It is generally accepted that MR ... cal and multicentric invasive disease.
|
||||
item-7 at level 1: section_header: Results
|
||||
item-8 at level 2: text: All patients underwent breast su ... ents was 58 years (range 19-85 years).
|
||||
item-9 at level 2: text: The sensitivity of MR mammograph ... all three methods (P < 0.05; Table 3).
|
||||
item-10 at level 2: text: Mammography was false-negative i ... aphy or mammography were nonsuspected.
|
||||
item-11 at level 1: section_header: Discussion
|
||||
item-12 at level 2: text: When the validity of individual ... %, respectively [6,7,8,9,10,15,16,17].
|
||||
item-13 at level 2: text: The performance of mammography, ... sensitivity of all imaging procedures.
|
||||
item-14 at level 2: text: When combinations of all three t ... ammography alone (94.6% versus 94.6%).
|
||||
item-15 at level 2: text: The majority of false-positive r ... and may mimic invasive cancer [16,18].
|
||||
item-16 at level 2: text: Ten out of 185 (5.4%) malignant ... cinomas had a low microvessel density.
|
||||
item-17 at level 2: text: Multifocality of breast cancers ... was shown to be unifocal by histology.
|
||||
item-18 at level 2: text: Kramer et al [24] reported that ... tric cancers were diagnosed correctly.
|
||||
item-19 at level 2: text: Carcinoma in situ is identified ... es without early contrast enhancement.
|
||||
item-20 at level 1: section_header: References
|
||||
item-21 at level 1: list: group list
|
||||
item-22 at level 2: list_item: SG Orel; RH Troupin. Nonmammogra ... re prospects.. Semin Roentgenol (1993)
|
||||
item-23 at level 2: list_item: K Kerlikowske; D Grady; SM Rubin ... of screening mammography.. JAMA (1995)
|
||||
item-24 at level 2: list_item: M Müller-Schimpfle; P Stoll; W S ... onography?. AJR Am J Roentgenol (1997)
|
||||
item-25 at level 2: list_item: SH Heywang; D Hahn; H Schmidt; I ... m-DTPA.. J Comput Assist Tomogr (1986)
|
||||
item-26 at level 2: list_item: WA Kaiser; E Zeitler. MR mammogr ... lts [in German].. Röntgenpraxis (1985)
|
||||
item-27 at level 2: list_item: GM Kacl; P Liu; JF Debatin; E Ga ... nhanced MR imaging.. Eur Radiol (1998)
|
||||
item-28 at level 2: list_item: B Bone; Z Pentek; L Perbeck; B V ... ed breast lesions.. Acta Radiol (1997)
|
||||
item-29 at level 2: list_item: WA Kaiser. MR Mammographie.. Radiologe (1993)
|
||||
item-30 at level 2: list_item: SH Heywang-Köbrunner. Contrast-e ... g of the breast.. Invest Radiol (1994)
|
||||
item-31 at level 2: list_item: SE Harms; DP Flaming. MR imaging ... e breast.. J Magn Reson Imaging (1993)
|
||||
item-32 at level 2: list_item: LD Buadu; J Murakami; S Murayama ... tumor angiogenesis.. Radiology (1996)
|
||||
item-33 at level 2: list_item: SG Orel; MD Schnall; VA LiVolsi; ... hologic correlation.. Radiology (1994)
|
||||
item-34 at level 2: list_item: S Ciatto; M Rosselli del Turco; ... is of breast cancer.. Neoplasma (1994)
|
||||
item-35 at level 2: list_item: KK Oh; JH Cho; CS Yoon; WH Jung; ... J, Hackelöer BJ. Basel: Karger; (1994)
|
||||
item-36 at level 2: list_item: SH Heywang. MRI in breast diseas ... ce in Medicine 1. Berkeley, CA. (1993)
|
||||
item-37 at level 2: list_item: WA Kaiser. False-positive result ... agn Reson Imaging Clin North Am (1994)
|
||||
item-38 at level 2: list_item: SH Heywang-Koebrunner; P Vieweg; ... rsies, solutions.. Eur J Radiol (1997)
|
||||
item-39 at level 2: list_item: B Bone; P Aspelin; L Bronge; B I ... on in 250 breasts.. Acta Radiol (1996)
|
||||
item-40 at level 2: list_item: CB Stelling. MR imaging of the b ... rections.. Radiol Clin North Am (1995)
|
||||
item-41 at level 2: list_item: L Esserman; N Hylton; L Yassa; J ... perative staging.. J Clin Oncol (1999)
|
||||
item-42 at level 2: list_item: WA Kaiser; K Diedrich; M Reiser; ... erman].. Geburtsh u Frauenheilk (1993)
|
||||
item-43 at level 2: list_item: C Boetes; R Mus; R Holland; JO B ... emonstration extent.. Radiology (1995)
|
||||
item-44 at level 2: list_item: U Fischer; R Vossheinrich; L Kop ... therapy [abstract].. Radiology (1994)
|
||||
item-45 at level 2: list_item: S Kramer; R Schultz-Wendtland; K ... breast cancer.. Anticancer Res (1998)
|
||||
item-46 at level 2: list_item: S Ciatto; M Rosselli del Turco; ... confirmed cases.. Eur J Cancer (1994)
|
||||
item-47 at level 2: list_item: U Fischer; JP Westerhof; U Brinc ... n German].. Fortschr Röntgenstr (1996)
|
||||
item-48 at level 2: list_item: H Sittek; M Kessler; AF Heuck; T ... n German].. Fortschr Röntgenstr (1997)
|
||||
item-49 at level 2: list_item: R Gilles; B Zafrani; JM Guinebre ... hologic correlation.. Radiology (1995)
|
||||
item-50 at level 2: list_item: W Buchberger; M Kapferer; A Stög ... n German; abstract].. Radiologe (1995)
|
||||
item-51 at level 2: list_item: SH Heywang; A Wolf; E Pruss; T H ... use and limitations.. Radiology (1989)
|
811
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.json
Normal file
811
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.json
Normal file
@ -0,0 +1,811 @@
|
||||
{
|
||||
"schema_name": "DoclingDocument",
|
||||
"version": "1.0.0",
|
||||
"name": "pubmed-PMC13900",
|
||||
"origin": {
|
||||
"mimetype": "text/xml",
|
||||
"binary_hash": 1006038906515573678,
|
||||
"filename": "pubmed-PMC13900.nxml"
|
||||
},
|
||||
"furniture": {
|
||||
"self_ref": "#/furniture",
|
||||
"children": [],
|
||||
"name": "_root_",
|
||||
"label": "unspecified"
|
||||
},
|
||||
"body": {
|
||||
"self_ref": "#/body",
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/0"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/1"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/2"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/3"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/6"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/19"
|
||||
},
|
||||
{
|
||||
"$ref": "#/groups/0"
|
||||
}
|
||||
],
|
||||
"name": "_root_",
|
||||
"label": "unspecified"
|
||||
},
|
||||
"groups": [
|
||||
{
|
||||
"self_ref": "#/groups/0",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/20"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/21"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/22"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/23"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/24"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/25"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/26"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/27"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/28"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/29"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/30"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/31"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/32"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/33"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/34"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/35"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/36"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/37"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/38"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/39"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/40"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/41"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/42"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/43"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/44"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/45"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/46"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/47"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/48"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/49"
|
||||
}
|
||||
],
|
||||
"name": "list",
|
||||
"label": "list"
|
||||
}
|
||||
],
|
||||
"texts": [
|
||||
{
|
||||
"self_ref": "#/texts/0",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "title",
|
||||
"prov": [],
|
||||
"orig": "Comparison of written reports of mammography, sonography and magnetic resonance mammography for preoperative evaluation of breast lesions, with special emphasis on magnetic resonance mammography",
|
||||
"text": "Comparison of written reports of mammography, sonography and magnetic resonance mammography for preoperative evaluation of breast lesions, with special emphasis on magnetic resonance mammography"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/1",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "paragraph",
|
||||
"prov": [],
|
||||
"orig": "Sabine Malur; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Susanne Wurdinger; Institute for Diagnostic and Interventional Radiology, Friedrich-Schiller University, Jena, Germany.; Andreas Moritz; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Wolfgang Michels; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Achim Schneider; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.",
|
||||
"text": "Sabine Malur; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Susanne Wurdinger; Institute for Diagnostic and Interventional Radiology, Friedrich-Schiller University, Jena, Germany.; Andreas Moritz; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Wolfgang Michels; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Achim Schneider; Department of Gynecology, Friedrich-Schiller University, Jena, Germany."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/2",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Patients with abnormal breast findings ( n = 413) were examined by mammography, sonography and magnetic resonance (MR) mammography; 185 invasive cancers, 38 carcinoma in situ and 254 benign tumours were confirmed histologically. Sensitivity for mammography was 83.7%, for sonography it was 89.1% and for MR mammography it was 94.6% for invasive cancers. In 42 patients with multifocal invasive cancers, multifocality had been detected by mammography and sonography in 26.2%, and by MR mammography in 66.7%. In nine patients with multicentric cancers, detection rates were 55.5, 55.5 and 88.8%, respectively. Carcinoma in situ was diagnosed by mammography in 78.9% and by MR mammography in 68.4% of patients. Combination of all three diagnostic methods lead to the best results for detection of invasive cancer and multifocal disease. However, sensitivity of mammography and sonography combined was identical to that of MR mammography (ie 94.6%).",
|
||||
"text": "Patients with abnormal breast findings ( n = 413) were examined by mammography, sonography and magnetic resonance (MR) mammography; 185 invasive cancers, 38 carcinoma in situ and 254 benign tumours were confirmed histologically. Sensitivity for mammography was 83.7%, for sonography it was 89.1% and for MR mammography it was 94.6% for invasive cancers. In 42 patients with multifocal invasive cancers, multifocality had been detected by mammography and sonography in 26.2%, and by MR mammography in 66.7%. In nine patients with multicentric cancers, detection rates were 55.5, 55.5 and 88.8%, respectively. Carcinoma in situ was diagnosed by mammography in 78.9% and by MR mammography in 68.4% of patients. Combination of all three diagnostic methods lead to the best results for detection of invasive cancer and multifocal disease. However, sensitivity of mammography and sonography combined was identical to that of MR mammography (ie 94.6%)."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/3",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/4"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/5"
|
||||
}
|
||||
],
|
||||
"label": "section_header",
|
||||
"prov": [],
|
||||
"orig": "Introduction",
|
||||
"text": "Introduction",
|
||||
"level": 1
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/4",
|
||||
"parent": {
|
||||
"$ref": "#/texts/3"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Mammography and sonography are the standard imaging techniques for detection and evaluation of breast disease [1]. Mammography is the most established screening modality [2]. Especially in young women and women with dense breasts, sonography appears superior to mammography, and differentiation between solid tumours and cysts is easier. Sensitivity and specificity of sonography or mammography are higher if sonography and mammography are combined [3].",
|
||||
"text": "Mammography and sonography are the standard imaging techniques for detection and evaluation of breast disease [1]. Mammography is the most established screening modality [2]. Especially in young women and women with dense breasts, sonography appears superior to mammography, and differentiation between solid tumours and cysts is easier. Sensitivity and specificity of sonography or mammography are higher if sonography and mammography are combined [3]."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/5",
|
||||
"parent": {
|
||||
"$ref": "#/texts/3"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "It is generally accepted that MR mammography is the most sensitive technique for diagnosis of breast cancer, whereas the reported specificity of MR mammography varies [4,5,6,7,8,9,10,11,12]. In those studies, MR mammography was performed and evaluated by highly specialized radiologists in a research setting. It was therefore the purpose of the present prospective study to compare the validity of MR mammography with mammography and sonography in clinical routine practice. Findings for the three diagnostic methods documented on routine reports that were available to the surgeon preoperatively formed the basis of this comparison. Special emphasis was placed on the identification of multifocal and multicentric invasive disease.",
|
||||
"text": "It is generally accepted that MR mammography is the most sensitive technique for diagnosis of breast cancer, whereas the reported specificity of MR mammography varies [4,5,6,7,8,9,10,11,12]. In those studies, MR mammography was performed and evaluated by highly specialized radiologists in a research setting. It was therefore the purpose of the present prospective study to compare the validity of MR mammography with mammography and sonography in clinical routine practice. Findings for the three diagnostic methods documented on routine reports that were available to the surgeon preoperatively formed the basis of this comparison. Special emphasis was placed on the identification of multifocal and multicentric invasive disease."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/6",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/7"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/8"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/9"
|
||||
}
|
||||
],
|
||||
"label": "section_header",
|
||||
"prov": [],
|
||||
"orig": "Results",
|
||||
"text": "Results",
|
||||
"level": 1
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/7",
|
||||
"parent": {
|
||||
"$ref": "#/texts/6"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "All patients underwent breast surgery and all abnormal lesions identified by mammography, sonography or MR mammography were surgically removed. A total of 477 breast lesions were examined histologically, revealing the presence of 185 invasive cancers, 38 carcinomata in situ and 254 benign lesions (fibroadenoma, papilloma, intraductal or adenoid ductal hyperplasia, cystic mastopathia). There were four patients with malignant lesions in both breasts. In 42 patients multifocal tumours and in nine patients multicentric tumors were found on histological examination. Among the 185 invasive lesions, 178 were primary cancers, five were recurrences, one was metastatic and one was an angiosarcoma. The majority of invasive breast cancers were staged as pT1c (44%). Six per cent of tumors were detected in stage pT1a, 18% in stage pT1b, 25% in stage pT2, 3% in stage pT3 and 4% in stage pT4. The distribution of histopathological tumour types is shown in Table 1. The mean age of patients was 58 years (range 19-85 years).",
|
||||
"text": "All patients underwent breast surgery and all abnormal lesions identified by mammography, sonography or MR mammography were surgically removed. A total of 477 breast lesions were examined histologically, revealing the presence of 185 invasive cancers, 38 carcinomata in situ and 254 benign lesions (fibroadenoma, papilloma, intraductal or adenoid ductal hyperplasia, cystic mastopathia). There were four patients with malignant lesions in both breasts. In 42 patients multifocal tumours and in nine patients multicentric tumors were found on histological examination. Among the 185 invasive lesions, 178 were primary cancers, five were recurrences, one was metastatic and one was an angiosarcoma. The majority of invasive breast cancers were staged as pT1c (44%). Six per cent of tumors were detected in stage pT1a, 18% in stage pT1b, 25% in stage pT2, 3% in stage pT3 and 4% in stage pT4. The distribution of histopathological tumour types is shown in Table 1. The mean age of patients was 58 years (range 19-85 years)."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/8",
|
||||
"parent": {
|
||||
"$ref": "#/texts/6"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "The sensitivity of MR mammography was significantly higher than those of mammography and sonography (P < 0.005 and P < 0.05; Table 2). The specificity of sonography was significantly higher than those of mammography and MR mammography (P < 0.05 and P < 0.005; Table 2). The negative predictive values for sonography and MR mammography were significantly higher than that of mammography (P < 0.05 and P < 0.005; Table 2). With regard to accuracy, no significant difference between the three modalities was found (Table 2). Combining of all three diagnostic methods yielded the best results for detection of cancer (P < 0.005; Table 3). The sensitivity and negative predictive value for the combination of mammography and MR mammography, and the combination of sonography and MR mammography were significantly higher than those for the combination of mammograpy and sonography (P < 0.05; Table 3). The highest result for accuracy was seen for a combination of all three methods (P < 0.05; Table 3).",
|
||||
"text": "The sensitivity of MR mammography was significantly higher than those of mammography and sonography (P < 0.005 and P < 0.05; Table 2). The specificity of sonography was significantly higher than those of mammography and MR mammography (P < 0.05 and P < 0.005; Table 2). The negative predictive values for sonography and MR mammography were significantly higher than that of mammography (P < 0.05 and P < 0.005; Table 2). With regard to accuracy, no significant difference between the three modalities was found (Table 2). Combining of all three diagnostic methods yielded the best results for detection of cancer (P < 0.005; Table 3). The sensitivity and negative predictive value for the combination of mammography and MR mammography, and the combination of sonography and MR mammography were significantly higher than those for the combination of mammograpy and sonography (P < 0.05; Table 3). The highest result for accuracy was seen for a combination of all three methods (P < 0.05; Table 3)."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/9",
|
||||
"parent": {
|
||||
"$ref": "#/texts/6"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Mammography was false-negative in 30 out of 184 invasive cancers, sonography was false-negative in 20 out of 185 cancers, and 10 out of 185 invasive cancers were missed by MR mammography. The majority of false-negative findings was found in stage1 disease, ductal carcinoma and grade 3 tumors (Table 4). Of 10 invasive cancers missed by MR mammography, eight were found by mammography and sonography. By all three techniques, one invasive ductal carcinoma (pT1b) was misinterpreted as fibroadenoma. In another patient, a microinvasive lobular carcinoma of 5 mm diameter was not detected with mammography and MR mammography, whereas sonography detected a solid, benign tumour. MR mammography identified 10 invasive cancers (5.2%) that were missed by mammography and sonography, whereas one invasive cancer was found by mammography alone. By sonography alone, not a single case of invasive disease was detected when MR mammography or mammography were nonsuspected.",
|
||||
"text": "Mammography was false-negative in 30 out of 184 invasive cancers, sonography was false-negative in 20 out of 185 cancers, and 10 out of 185 invasive cancers were missed by MR mammography. The majority of false-negative findings was found in stage1 disease, ductal carcinoma and grade 3 tumors (Table 4). Of 10 invasive cancers missed by MR mammography, eight were found by mammography and sonography. By all three techniques, one invasive ductal carcinoma (pT1b) was misinterpreted as fibroadenoma. In another patient, a microinvasive lobular carcinoma of 5 mm diameter was not detected with mammography and MR mammography, whereas sonography detected a solid, benign tumour. MR mammography identified 10 invasive cancers (5.2%) that were missed by mammography and sonography, whereas one invasive cancer was found by mammography alone. By sonography alone, not a single case of invasive disease was detected when MR mammography or mammography were nonsuspected."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/10",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [
|
||||
{
|
||||
"$ref": "#/texts/11"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/12"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/13"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/14"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/15"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/16"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/17"
|
||||
},
|
||||
{
|
||||
"$ref": "#/texts/18"
|
||||
}
|
||||
],
|
||||
"label": "section_header",
|
||||
"prov": [],
|
||||
"orig": "Discussion",
|
||||
"text": "Discussion",
|
||||
"level": 1
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/11",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "When the validity of individual diagnostic methods for detection of invasive breast cancer was analyzed, the sensitivity and specificity of mammography ranged from 79.9 to 89% and from 64 to 93.5%, respectively [6,7,13]; for sonography from 67.6 to 96% and from 93 to 97.7%, respectively [13,14]; and for MR mammography from 91 to 98.9 and from 20 to 97.4%, respectively [6,7,8,9,10,15,16,17].",
|
||||
"text": "When the validity of individual diagnostic methods for detection of invasive breast cancer was analyzed, the sensitivity and specificity of mammography ranged from 79.9 to 89% and from 64 to 93.5%, respectively [6,7,13]; for sonography from 67.6 to 96% and from 93 to 97.7%, respectively [13,14]; and for MR mammography from 91 to 98.9 and from 20 to 97.4%, respectively [6,7,8,9,10,15,16,17]."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/12",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "The performance of mammography, sonography and MR mammography was compared in three large series (Table 5). The present results are similar with regard to sensitivity and specificity for the detection of malignant breast lesions, with MR mammography reaching the highest sensitivity of all imaging procedures.",
|
||||
"text": "The performance of mammography, sonography and MR mammography was compared in three large series (Table 5). The present results are similar with regard to sensitivity and specificity for the detection of malignant breast lesions, with MR mammography reaching the highest sensitivity of all imaging procedures."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/13",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "When combinations of all three technique were analyzed, mammography and sonography (standard method) had a sensitivity of 83% and a specificity of 92% for detection of malignant disease [3]. A combination of mammography, sonography and MR mammography (combined method) showed a sensitivity of 95% and a specificity of 64% [3]. For nonpalpable lesions, sensitivity increased from 73% by the standard method to 82% for the combined method. Specificity for the standard method (89%) was higher than that for the combined method (71%). For palpable lesions a sensitivity of 85% for the standard and 98% for the combined method was achieved, whereas specificity for the standard method was 100% compared with 45% for the combined methods [3]. The positive predictive value was 94% for the standard and 80% for the combined methods, and the negative predictive values were 78 and 89%, respectively [3]. In the present study, we also found the highest sensitivity, specificity, and positive and negative predictive values for the combination of all three methods. Combination of mammography and sonography was as sensitive as MR mammography alone (94.6% versus 94.6%).",
|
||||
"text": "When combinations of all three technique were analyzed, mammography and sonography (standard method) had a sensitivity of 83% and a specificity of 92% for detection of malignant disease [3]. A combination of mammography, sonography and MR mammography (combined method) showed a sensitivity of 95% and a specificity of 64% [3]. For nonpalpable lesions, sensitivity increased from 73% by the standard method to 82% for the combined method. Specificity for the standard method (89%) was higher than that for the combined method (71%). For palpable lesions a sensitivity of 85% for the standard and 98% for the combined method was achieved, whereas specificity for the standard method was 100% compared with 45% for the combined methods [3]. The positive predictive value was 94% for the standard and 80% for the combined methods, and the negative predictive values were 78 and 89%, respectively [3]. In the present study, we also found the highest sensitivity, specificity, and positive and negative predictive values for the combination of all three methods. Combination of mammography and sonography was as sensitive as MR mammography alone (94.6% versus 94.6%)."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/14",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "The majority of false-positive results for invasive cancer by MR mammography (80 out of 439) were caused by papillomas, intraductal hyperplasia grade 2 or 3, or fibroadenomas in the present series. These lesions have a good blood supply and may mimic invasive cancer [16,18].",
|
||||
"text": "The majority of false-positive results for invasive cancer by MR mammography (80 out of 439) were caused by papillomas, intraductal hyperplasia grade 2 or 3, or fibroadenomas in the present series. These lesions have a good blood supply and may mimic invasive cancer [16,18]."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/15",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Ten out of 185 (5.4%) malignant lesions were classified as false-negative by MR mammography. On histology, the majority of false-negative invasive cancers were lobular cancers (four out of 10). Bone et al [18] reported false-negative results in 11 out of 155 readings, with the majority being lobular cancers on histology. Lack of tumour-induced neovascularity may explain such findings. In particular, invasive lobular cancers infiltrate the normal tissue with columns of single cells, and receive adequate oxygenation without the requirement for increased vascularization [19]. Buadu et al [11] found that lobular and mucinous carcinomas had a low microvessel density.",
|
||||
"text": "Ten out of 185 (5.4%) malignant lesions were classified as false-negative by MR mammography. On histology, the majority of false-negative invasive cancers were lobular cancers (four out of 10). Bone et al [18] reported false-negative results in 11 out of 155 readings, with the majority being lobular cancers on histology. Lack of tumour-induced neovascularity may explain such findings. In particular, invasive lobular cancers infiltrate the normal tissue with columns of single cells, and receive adequate oxygenation without the requirement for increased vascularization [19]. Buadu et al [11] found that lobular and mucinous carcinomas had a low microvessel density."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/16",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Multifocality of breast cancers can be recognized adequately by MR mammography [20,21]. Boetes et al [22] reported that all 61 multifocal cancers were detected by MR mammography, compared with 31% by mammography and 38% by sonography. Esserman et al [20] detected multifocality by MR mammography in 100% (10 out of 10) versus 44% (four out of nine) by mammography. Relevant changes in therapy due to additional multicentric and contralateral tumour findings by MR mammography occur in 18% of patients as compared with conventional imaging [23]. We found a detection rate of multifocality of 66.7% by MR mammography, as compared with 26.2% by mammography and sonography. However, in 16 patients multifocal invasive disease as diagnosed by MR mammography was shown to be unifocal by histology.",
|
||||
"text": "Multifocality of breast cancers can be recognized adequately by MR mammography [20,21]. Boetes et al [22] reported that all 61 multifocal cancers were detected by MR mammography, compared with 31% by mammography and 38% by sonography. Esserman et al [20] detected multifocality by MR mammography in 100% (10 out of 10) versus 44% (four out of nine) by mammography. Relevant changes in therapy due to additional multicentric and contralateral tumour findings by MR mammography occur in 18% of patients as compared with conventional imaging [23]. We found a detection rate of multifocality of 66.7% by MR mammography, as compared with 26.2% by mammography and sonography. However, in 16 patients multifocal invasive disease as diagnosed by MR mammography was shown to be unifocal by histology."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/17",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Kramer et al [24] reported that MR mammography yielded the highest sensitivity for detection of multicentricity as compared with mammography and sonography (89, 66 and 79%, respectively) in 38 patients. These findings are comparable with the present results, in which eight out of nine multicentric cancers were diagnosed correctly.",
|
||||
"text": "Kramer et al [24] reported that MR mammography yielded the highest sensitivity for detection of multicentricity as compared with mammography and sonography (89, 66 and 79%, respectively) in 38 patients. These findings are comparable with the present results, in which eight out of nine multicentric cancers were diagnosed correctly."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/18",
|
||||
"parent": {
|
||||
"$ref": "#/texts/10"
|
||||
},
|
||||
"children": [],
|
||||
"label": "text",
|
||||
"prov": [],
|
||||
"orig": "Carcinoma in situ is identified by mammography through the presence of suspicious microcalcifications. Suspicious microcalcifications are more frequent in intraductal than in infiltrating cancers [25], which was also observed in the present series. Mammography showed a detection rate for carcinoma in situ of 78.9%, as compared with 65.8% by MR mammography; the combination of mammography and MR mammography lead to a detection rate of 86.4%. Fischer et al [26] reported that carcinoma in situ was identified by MR mammography in 25 out of 35 patients (72%); three ductal carcinomata in situ were detected by MR mammography exclusively. Sittek et al [27] reported that 14 out of 20 carcinomata in situ (70%) were correctly diagnosed by MR mammography on the basis of focal increase of signal intensity. Those authors concluded that carcinoma in situ is not reliably detected by MR mammography because of lack of a uniform pattern of enhancement. Esserman et al [20] reported a detection rate of 43% for ductal carcinoma in situ by MR mammography. Among 36 woman with carcinoma in situ, Gilles et al [28] demonstrated two cases without early contrast enhancement.",
|
||||
"text": "Carcinoma in situ is identified by mammography through the presence of suspicious microcalcifications. Suspicious microcalcifications are more frequent in intraductal than in infiltrating cancers [25], which was also observed in the present series. Mammography showed a detection rate for carcinoma in situ of 78.9%, as compared with 65.8% by MR mammography; the combination of mammography and MR mammography lead to a detection rate of 86.4%. Fischer et al [26] reported that carcinoma in situ was identified by MR mammography in 25 out of 35 patients (72%); three ductal carcinomata in situ were detected by MR mammography exclusively. Sittek et al [27] reported that 14 out of 20 carcinomata in situ (70%) were correctly diagnosed by MR mammography on the basis of focal increase of signal intensity. Those authors concluded that carcinoma in situ is not reliably detected by MR mammography because of lack of a uniform pattern of enhancement. Esserman et al [20] reported a detection rate of 43% for ductal carcinoma in situ by MR mammography. Among 36 woman with carcinoma in situ, Gilles et al [28] demonstrated two cases without early contrast enhancement."
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/19",
|
||||
"parent": {
|
||||
"$ref": "#/body"
|
||||
},
|
||||
"children": [],
|
||||
"label": "section_header",
|
||||
"prov": [],
|
||||
"orig": "References",
|
||||
"text": "References",
|
||||
"level": 1
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/20",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SG Orel; RH Troupin. Nonmammographic imaging of the breast: current issues and future prospects.. Semin Roentgenol (1993)",
|
||||
"text": "SG Orel; RH Troupin. Nonmammographic imaging of the breast: current issues and future prospects.. Semin Roentgenol (1993)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/21",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "K Kerlikowske; D Grady; SM Rubin; C Sandrock; VL Ernster. Efficancy of screening mammography.. JAMA (1995)",
|
||||
"text": "K Kerlikowske; D Grady; SM Rubin; C Sandrock; VL Ernster. Efficancy of screening mammography.. JAMA (1995)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/22",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "M M\u00fcller-Schimpfle; P Stoll; W Stern; S Kutz; F Dammann; CD Claussen. Do mammography, sonography and MR mammography have a diagnostic benefit compared with mammography and sonography?. AJR Am J Roentgenol (1997)",
|
||||
"text": "M M\u00fcller-Schimpfle; P Stoll; W Stern; S Kutz; F Dammann; CD Claussen. Do mammography, sonography and MR mammography have a diagnostic benefit compared with mammography and sonography?. AJR Am J Roentgenol (1997)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/23",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SH Heywang; D Hahn; H Schmidt; I Krischke; W Eiermann; R Bassermann; J Lissner. MR imaging of the breast using gadolinium-DTPA.. J Comput Assist Tomogr (1986)",
|
||||
"text": "SH Heywang; D Hahn; H Schmidt; I Krischke; W Eiermann; R Bassermann; J Lissner. MR imaging of the breast using gadolinium-DTPA.. J Comput Assist Tomogr (1986)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/24",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "WA Kaiser; E Zeitler. MR mammography: first clinical results [in German].. R\u00f6ntgenpraxis (1985)",
|
||||
"text": "WA Kaiser; E Zeitler. MR mammography: first clinical results [in German].. R\u00f6ntgenpraxis (1985)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/25",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "GM Kacl; P Liu; JF Debatin; E Garzoli; RF Caduff; GP Krestin. Detection of breast cancer with conventional mammography and contrast-enhanced MR imaging.. Eur Radiol (1998)",
|
||||
"text": "GM Kacl; P Liu; JF Debatin; E Garzoli; RF Caduff; GP Krestin. Detection of breast cancer with conventional mammography and contrast-enhanced MR imaging.. Eur Radiol (1998)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/26",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "B Bone; Z Pentek; L Perbeck; B Veress. Diagnostic accuracy of mammography and contrast-enhanced MR imaging in 238 histologically verified breast lesions.. Acta Radiol (1997)",
|
||||
"text": "B Bone; Z Pentek; L Perbeck; B Veress. Diagnostic accuracy of mammography and contrast-enhanced MR imaging in 238 histologically verified breast lesions.. Acta Radiol (1997)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/27",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "WA Kaiser. MR Mammographie.. Radiologe (1993)",
|
||||
"text": "WA Kaiser. MR Mammographie.. Radiologe (1993)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/28",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SH Heywang-K\u00f6brunner. Contrast-enhanced magnetic resonance imaging of the breast.. Invest Radiol (1994)",
|
||||
"text": "SH Heywang-K\u00f6brunner. Contrast-enhanced magnetic resonance imaging of the breast.. Invest Radiol (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/29",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SE Harms; DP Flaming. MR imaging of the breast.. J Magn Reson Imaging (1993)",
|
||||
"text": "SE Harms; DP Flaming. MR imaging of the breast.. J Magn Reson Imaging (1993)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/30",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "LD Buadu; J Murakami; S Murayama; N Hashiguchi; S Sakai; K Masuda; S Toyoshima. Breast lesions: correlation of contrast medium enhancement patterns on MR images with histopathologic findings and tumor angiogenesis.. Radiology (1996)",
|
||||
"text": "LD Buadu; J Murakami; S Murayama; N Hashiguchi; S Sakai; K Masuda; S Toyoshima. Breast lesions: correlation of contrast medium enhancement patterns on MR images with histopathologic findings and tumor angiogenesis.. Radiology (1996)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/31",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SG Orel; MD Schnall; VA LiVolsi; RH Troupin. Suspicious breast lesions: MR imaging with radiologic-pathologic correlation.. Radiology (1994)",
|
||||
"text": "SG Orel; MD Schnall; VA LiVolsi; RH Troupin. Suspicious breast lesions: MR imaging with radiologic-pathologic correlation.. Radiology (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/32",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "S Ciatto; M Rosselli del Turco; S Catarzi; D Morrone. The contribution of sonography to the differential diagnosis of breast cancer.. Neoplasma (1994)",
|
||||
"text": "S Ciatto; M Rosselli del Turco; S Catarzi; D Morrone. The contribution of sonography to the differential diagnosis of breast cancer.. Neoplasma (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/33",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "KK Oh; JH Cho; CS Yoon; WH Jung; HD Lee. Comparative studies of breast diseases by mammography, ultrasonography and contrast-enhanced dynamic magnetic resonance imaging.. Breast Ultrasound Update. Edited by Madjar H, Teubner J, Hackel\u00f6er BJ. Basel: Karger; (1994)",
|
||||
"text": "KK Oh; JH Cho; CS Yoon; WH Jung; HD Lee. Comparative studies of breast diseases by mammography, ultrasonography and contrast-enhanced dynamic magnetic resonance imaging.. Breast Ultrasound Update. Edited by Madjar H, Teubner J, Hackel\u00f6er BJ. Basel: Karger; (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/34",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SH Heywang. MRI in breast disease.. Book of Abstracts: Society of Magnetic Resonance in Medicine 1. Berkeley, CA. (1993)",
|
||||
"text": "SH Heywang. MRI in breast disease.. Book of Abstracts: Society of Magnetic Resonance in Medicine 1. Berkeley, CA. (1993)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/35",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "WA Kaiser. False-positive results in dynamic MR mammography. Causes, frequency and methods to avoid.. Magn Reson Imaging Clin North Am (1994)",
|
||||
"text": "WA Kaiser. False-positive results in dynamic MR mammography. Causes, frequency and methods to avoid.. Magn Reson Imaging Clin North Am (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/36",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SH Heywang-Koebrunner; P Vieweg; A Heinig; C Kuchler. Contrast-enhanced MRI of the breast: accuracy, value, controversies, solutions.. Eur J Radiol (1997)",
|
||||
"text": "SH Heywang-Koebrunner; P Vieweg; A Heinig; C Kuchler. Contrast-enhanced MRI of the breast: accuracy, value, controversies, solutions.. Eur J Radiol (1997)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/37",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "B Bone; P Aspelin; L Bronge; B Isberg; L Perbeck; B Veress. Sensitivity and specificity of MR mammography with histopathological correlation in 250 breasts.. Acta Radiol (1996)",
|
||||
"text": "B Bone; P Aspelin; L Bronge; B Isberg; L Perbeck; B Veress. Sensitivity and specificity of MR mammography with histopathological correlation in 250 breasts.. Acta Radiol (1996)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/38",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "CB Stelling. MR imaging of the breast for cancer evaluation: current status and future directions.. Radiol Clin North Am (1995)",
|
||||
"text": "CB Stelling. MR imaging of the breast for cancer evaluation: current status and future directions.. Radiol Clin North Am (1995)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/39",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "L Esserman; N Hylton; L Yassa; J Barclay; S Frankel; E Sickles. Utility of magnetic resonance imaging in the managment of breast cancer: evidence for improved preoperative staging.. J Clin Oncol (1999)",
|
||||
"text": "L Esserman; N Hylton; L Yassa; J Barclay; S Frankel; E Sickles. Utility of magnetic resonance imaging in the managment of breast cancer: evidence for improved preoperative staging.. J Clin Oncol (1999)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/40",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "WA Kaiser; K Diedrich; M Reiser; D Krebs. Modern diagnostics of the breast [in German].. Geburtsh u Frauenheilk (1993)",
|
||||
"text": "WA Kaiser; K Diedrich; M Reiser; D Krebs. Modern diagnostics of the breast [in German].. Geburtsh u Frauenheilk (1993)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/41",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "C Boetes; R Mus; R Holland; JO Barentsz; SP Strijk; T Wobbes; JH Hendriks; SH Ruys. Breast tumors: comparative accuracy of MR imaging relative to mammography and US for demonstration extent.. Radiology (1995)",
|
||||
"text": "C Boetes; R Mus; R Holland; JO Barentsz; SP Strijk; T Wobbes; JH Hendriks; SH Ruys. Breast tumors: comparative accuracy of MR imaging relative to mammography and US for demonstration extent.. Radiology (1995)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/42",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "U Fischer; R Vossheinrich; L Kopka; D von Heyden; JW Oestmann; EH Grabbe. Preoperative MR mammography in patients with breast cancer: impact of therapy [abstract].. Radiology (1994)",
|
||||
"text": "U Fischer; R Vossheinrich; L Kopka; D von Heyden; JW Oestmann; EH Grabbe. Preoperative MR mammography in patients with breast cancer: impact of therapy [abstract].. Radiology (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/43",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "S Kramer; R Schultz-Wendtland; K Hagedorn; W Bautz; N Lang. Magnetic resonace imaging and its role in the diagnosis of multicentric breast cancer.. Anticancer Res (1998)",
|
||||
"text": "S Kramer; R Schultz-Wendtland; K Hagedorn; W Bautz; N Lang. Magnetic resonace imaging and its role in the diagnosis of multicentric breast cancer.. Anticancer Res (1998)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/44",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "S Ciatto; M Rosselli del Turco; R Bonardi; L Cataliotta; V Distante; G Cardona; S Bianchi. Non-palpable lesions of the breast detected by mammography: review of 1182 consecutive histologically confirmed cases.. Eur J Cancer (1994)",
|
||||
"text": "S Ciatto; M Rosselli del Turco; R Bonardi; L Cataliotta; V Distante; G Cardona; S Bianchi. Non-palpable lesions of the breast detected by mammography: review of 1182 consecutive histologically confirmed cases.. Eur J Cancer (1994)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/45",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "U Fischer; JP Westerhof; U Brinck; M Korabiowska; A Schauer; E Grabbe. Ductal carcinoma in situ in dynamic MR mammography at 1.5 T [in German].. Fortschr R\u00f6ntgenstr (1996)",
|
||||
"text": "U Fischer; JP Westerhof; U Brinck; M Korabiowska; A Schauer; E Grabbe. Ductal carcinoma in situ in dynamic MR mammography at 1.5 T [in German].. Fortschr R\u00f6ntgenstr (1996)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/46",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "H Sittek; M Kessler; AF Heuck; T Bredl; C Perlet; I K\u00fcnzer; A Lebeau; M Untch; M Reiser. Morphology and contrast enhancement of ductal carcinoma in situ in dynamic 1.0 T MR mammography [in German].. Fortschr R\u00f6ntgenstr (1997)",
|
||||
"text": "H Sittek; M Kessler; AF Heuck; T Bredl; C Perlet; I K\u00fcnzer; A Lebeau; M Untch; M Reiser. Morphology and contrast enhancement of ductal carcinoma in situ in dynamic 1.0 T MR mammography [in German].. Fortschr R\u00f6ntgenstr (1997)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/47",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "R Gilles; B Zafrani; JM Guinebretiere; M Meunier; O Lucidarme; AA Tardivon; F Rochard; D Vanel; S Neuenschwander; R Arriagada. Ductal carcinoma in situ: MR imaging-histopathologic correlation.. Radiology (1995)",
|
||||
"text": "R Gilles; B Zafrani; JM Guinebretiere; M Meunier; O Lucidarme; AA Tardivon; F Rochard; D Vanel; S Neuenschwander; R Arriagada. Ductal carcinoma in situ: MR imaging-histopathologic correlation.. Radiology (1995)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/48",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "W Buchberger; M Kapferer; A St\u00f6ger; A Chemelli; W Judmaier; S Felber. Dignity evaluation of focal mamma lesions: a prospective comparison between mammography, sonography and dynamic MR mammography [in German; abstract].. Radiologe (1995)",
|
||||
"text": "W Buchberger; M Kapferer; A St\u00f6ger; A Chemelli; W Judmaier; S Felber. Dignity evaluation of focal mamma lesions: a prospective comparison between mammography, sonography and dynamic MR mammography [in German; abstract].. Radiologe (1995)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
},
|
||||
{
|
||||
"self_ref": "#/texts/49",
|
||||
"parent": {
|
||||
"$ref": "#/groups/0"
|
||||
},
|
||||
"children": [],
|
||||
"label": "list_item",
|
||||
"prov": [],
|
||||
"orig": "SH Heywang; A Wolf; E Pruss; T Hilbertz; W Eiermann; W Permanetter. MR imaging of the breast with Gd-DTPA: use and limitations.. Radiology (1989)",
|
||||
"text": "SH Heywang; A Wolf; E Pruss; T Hilbertz; W Eiermann; W Permanetter. MR imaging of the breast with Gd-DTPA: use and limitations.. Radiology (1989)",
|
||||
"enumerated": false,
|
||||
"marker": "-"
|
||||
}
|
||||
],
|
||||
"pictures": [],
|
||||
"tables": [],
|
||||
"key_value_items": [],
|
||||
"pages": {}
|
||||
}
|
70
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.md
Normal file
70
tests/data/groundtruth/docling_v2/pubmed-PMC13900.nxml.md
Normal file
@ -0,0 +1,70 @@
|
||||
# Comparison of written reports of mammography, sonography and magnetic resonance mammography for preoperative evaluation of breast lesions, with special emphasis on magnetic resonance mammography
|
||||
|
||||
Sabine Malur; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Susanne Wurdinger; Institute for Diagnostic and Interventional Radiology, Friedrich-Schiller University, Jena, Germany.; Andreas Moritz; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Wolfgang Michels; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.; Achim Schneider; Department of Gynecology, Friedrich-Schiller University, Jena, Germany.
|
||||
|
||||
Patients with abnormal breast findings ( n = 413) were examined by mammography, sonography and magnetic resonance (MR) mammography; 185 invasive cancers, 38 carcinoma in situ and 254 benign tumours were confirmed histologically. Sensitivity for mammography was 83.7%, for sonography it was 89.1% and for MR mammography it was 94.6% for invasive cancers. In 42 patients with multifocal invasive cancers, multifocality had been detected by mammography and sonography in 26.2%, and by MR mammography in 66.7%. In nine patients with multicentric cancers, detection rates were 55.5, 55.5 and 88.8%, respectively. Carcinoma in situ was diagnosed by mammography in 78.9% and by MR mammography in 68.4% of patients. Combination of all three diagnostic methods lead to the best results for detection of invasive cancer and multifocal disease. However, sensitivity of mammography and sonography combined was identical to that of MR mammography (ie 94.6%).
|
||||
|
||||
## Introduction
|
||||
|
||||
Mammography and sonography are the standard imaging techniques for detection and evaluation of breast disease [1]. Mammography is the most established screening modality [2]. Especially in young women and women with dense breasts, sonography appears superior to mammography, and differentiation between solid tumours and cysts is easier. Sensitivity and specificity of sonography or mammography are higher if sonography and mammography are combined [3].
|
||||
|
||||
It is generally accepted that MR mammography is the most sensitive technique for diagnosis of breast cancer, whereas the reported specificity of MR mammography varies [4,5,6,7,8,9,10,11,12]. In those studies, MR mammography was performed and evaluated by highly specialized radiologists in a research setting. It was therefore the purpose of the present prospective study to compare the validity of MR mammography with mammography and sonography in clinical routine practice. Findings for the three diagnostic methods documented on routine reports that were available to the surgeon preoperatively formed the basis of this comparison. Special emphasis was placed on the identification of multifocal and multicentric invasive disease.
|
||||
|
||||
## Results
|
||||
|
||||
All patients underwent breast surgery and all abnormal lesions identified by mammography, sonography or MR mammography were surgically removed. A total of 477 breast lesions were examined histologically, revealing the presence of 185 invasive cancers, 38 carcinomata in situ and 254 benign lesions (fibroadenoma, papilloma, intraductal or adenoid ductal hyperplasia, cystic mastopathia). There were four patients with malignant lesions in both breasts. In 42 patients multifocal tumours and in nine patients multicentric tumors were found on histological examination. Among the 185 invasive lesions, 178 were primary cancers, five were recurrences, one was metastatic and one was an angiosarcoma. The majority of invasive breast cancers were staged as pT1c (44%). Six per cent of tumors were detected in stage pT1a, 18% in stage pT1b, 25% in stage pT2, 3% in stage pT3 and 4% in stage pT4. The distribution of histopathological tumour types is shown in Table 1. The mean age of patients was 58 years (range 19-85 years).
|
||||
|
||||
The sensitivity of MR mammography was significantly higher than those of mammography and sonography (P < 0.005 and P < 0.05; Table 2). The specificity of sonography was significantly higher than those of mammography and MR mammography (P < 0.05 and P < 0.005; Table 2). The negative predictive values for sonography and MR mammography were significantly higher than that of mammography (P < 0.05 and P < 0.005; Table 2). With regard to accuracy, no significant difference between the three modalities was found (Table 2). Combining of all three diagnostic methods yielded the best results for detection of cancer (P < 0.005; Table 3). The sensitivity and negative predictive value for the combination of mammography and MR mammography, and the combination of sonography and MR mammography were significantly higher than those for the combination of mammograpy and sonography (P < 0.05; Table 3). The highest result for accuracy was seen for a combination of all three methods (P < 0.05; Table 3).
|
||||
|
||||
Mammography was false-negative in 30 out of 184 invasive cancers, sonography was false-negative in 20 out of 185 cancers, and 10 out of 185 invasive cancers were missed by MR mammography. The majority of false-negative findings was found in stage1 disease, ductal carcinoma and grade 3 tumors (Table 4). Of 10 invasive cancers missed by MR mammography, eight were found by mammography and sonography. By all three techniques, one invasive ductal carcinoma (pT1b) was misinterpreted as fibroadenoma. In another patient, a microinvasive lobular carcinoma of 5 mm diameter was not detected with mammography and MR mammography, whereas sonography detected a solid, benign tumour. MR mammography identified 10 invasive cancers (5.2%) that were missed by mammography and sonography, whereas one invasive cancer was found by mammography alone. By sonography alone, not a single case of invasive disease was detected when MR mammography or mammography were nonsuspected.
|
||||
|
||||
## Discussion
|
||||
|
||||
When the validity of individual diagnostic methods for detection of invasive breast cancer was analyzed, the sensitivity and specificity of mammography ranged from 79.9 to 89% and from 64 to 93.5%, respectively [6,7,13]; for sonography from 67.6 to 96% and from 93 to 97.7%, respectively [13,14]; and for MR mammography from 91 to 98.9 and from 20 to 97.4%, respectively [6,7,8,9,10,15,16,17].
|
||||
|
||||
The performance of mammography, sonography and MR mammography was compared in three large series (Table 5). The present results are similar with regard to sensitivity and specificity for the detection of malignant breast lesions, with MR mammography reaching the highest sensitivity of all imaging procedures.
|
||||
|
||||
When combinations of all three technique were analyzed, mammography and sonography (standard method) had a sensitivity of 83% and a specificity of 92% for detection of malignant disease [3]. A combination of mammography, sonography and MR mammography (combined method) showed a sensitivity of 95% and a specificity of 64% [3]. For nonpalpable lesions, sensitivity increased from 73% by the standard method to 82% for the combined method. Specificity for the standard method (89%) was higher than that for the combined method (71%). For palpable lesions a sensitivity of 85% for the standard and 98% for the combined method was achieved, whereas specificity for the standard method was 100% compared with 45% for the combined methods [3]. The positive predictive value was 94% for the standard and 80% for the combined methods, and the negative predictive values were 78 and 89%, respectively [3]. In the present study, we also found the highest sensitivity, specificity, and positive and negative predictive values for the combination of all three methods. Combination of mammography and sonography was as sensitive as MR mammography alone (94.6% versus 94.6%).
|
||||
|
||||
The majority of false-positive results for invasive cancer by MR mammography (80 out of 439) were caused by papillomas, intraductal hyperplasia grade 2 or 3, or fibroadenomas in the present series. These lesions have a good blood supply and may mimic invasive cancer [16,18].
|
||||
|
||||
Ten out of 185 (5.4%) malignant lesions were classified as false-negative by MR mammography. On histology, the majority of false-negative invasive cancers were lobular cancers (four out of 10). Bone et al [18] reported false-negative results in 11 out of 155 readings, with the majority being lobular cancers on histology. Lack of tumour-induced neovascularity may explain such findings. In particular, invasive lobular cancers infiltrate the normal tissue with columns of single cells, and receive adequate oxygenation without the requirement for increased vascularization [19]. Buadu et al [11] found that lobular and mucinous carcinomas had a low microvessel density.
|
||||
|
||||
Multifocality of breast cancers can be recognized adequately by MR mammography [20,21]. Boetes et al [22] reported that all 61 multifocal cancers were detected by MR mammography, compared with 31% by mammography and 38% by sonography. Esserman et al [20] detected multifocality by MR mammography in 100% (10 out of 10) versus 44% (four out of nine) by mammography. Relevant changes in therapy due to additional multicentric and contralateral tumour findings by MR mammography occur in 18% of patients as compared with conventional imaging [23]. We found a detection rate of multifocality of 66.7% by MR mammography, as compared with 26.2% by mammography and sonography. However, in 16 patients multifocal invasive disease as diagnosed by MR mammography was shown to be unifocal by histology.
|
||||
|
||||
Kramer et al [24] reported that MR mammography yielded the highest sensitivity for detection of multicentricity as compared with mammography and sonography (89, 66 and 79%, respectively) in 38 patients. These findings are comparable with the present results, in which eight out of nine multicentric cancers were diagnosed correctly.
|
||||
|
||||
Carcinoma in situ is identified by mammography through the presence of suspicious microcalcifications. Suspicious microcalcifications are more frequent in intraductal than in infiltrating cancers [25], which was also observed in the present series. Mammography showed a detection rate for carcinoma in situ of 78.9%, as compared with 65.8% by MR mammography; the combination of mammography and MR mammography lead to a detection rate of 86.4%. Fischer et al [26] reported that carcinoma in situ was identified by MR mammography in 25 out of 35 patients (72%); three ductal carcinomata in situ were detected by MR mammography exclusively. Sittek et al [27] reported that 14 out of 20 carcinomata in situ (70%) were correctly diagnosed by MR mammography on the basis of focal increase of signal intensity. Those authors concluded that carcinoma in situ is not reliably detected by MR mammography because of lack of a uniform pattern of enhancement. Esserman et al [20] reported a detection rate of 43% for ductal carcinoma in situ by MR mammography. Among 36 woman with carcinoma in situ, Gilles et al [28] demonstrated two cases without early contrast enhancement.
|
||||
|
||||
## References
|
||||
|
||||
- SG Orel; RH Troupin. Nonmammographic imaging of the breast: current issues and future prospects.. Semin Roentgenol (1993)
|
||||
- K Kerlikowske; D Grady; SM Rubin; C Sandrock; VL Ernster. Efficancy of screening mammography.. JAMA (1995)
|
||||
- M Müller-Schimpfle; P Stoll; W Stern; S Kutz; F Dammann; CD Claussen. Do mammography, sonography and MR mammography have a diagnostic benefit compared with mammography and sonography?. AJR Am J Roentgenol (1997)
|
||||
- SH Heywang; D Hahn; H Schmidt; I Krischke; W Eiermann; R Bassermann; J Lissner. MR imaging of the breast using gadolinium-DTPA.. J Comput Assist Tomogr (1986)
|
||||
- WA Kaiser; E Zeitler. MR mammography: first clinical results [in German].. Röntgenpraxis (1985)
|
||||
- GM Kacl; P Liu; JF Debatin; E Garzoli; RF Caduff; GP Krestin. Detection of breast cancer with conventional mammography and contrast-enhanced MR imaging.. Eur Radiol (1998)
|
||||
- B Bone; Z Pentek; L Perbeck; B Veress. Diagnostic accuracy of mammography and contrast-enhanced MR imaging in 238 histologically verified breast lesions.. Acta Radiol (1997)
|
||||
- WA Kaiser. MR Mammographie.. Radiologe (1993)
|
||||
- SH Heywang-Köbrunner. Contrast-enhanced magnetic resonance imaging of the breast.. Invest Radiol (1994)
|
||||
- SE Harms; DP Flaming. MR imaging of the breast.. J Magn Reson Imaging (1993)
|
||||
- LD Buadu; J Murakami; S Murayama; N Hashiguchi; S Sakai; K Masuda; S Toyoshima. Breast lesions: correlation of contrast medium enhancement patterns on MR images with histopathologic findings and tumor angiogenesis.. Radiology (1996)
|
||||
- SG Orel; MD Schnall; VA LiVolsi; RH Troupin. Suspicious breast lesions: MR imaging with radiologic-pathologic correlation.. Radiology (1994)
|
||||
- S Ciatto; M Rosselli del Turco; S Catarzi; D Morrone. The contribution of sonography to the differential diagnosis of breast cancer.. Neoplasma (1994)
|
||||
- KK Oh; JH Cho; CS Yoon; WH Jung; HD Lee. Comparative studies of breast diseases by mammography, ultrasonography and contrast-enhanced dynamic magnetic resonance imaging.. Breast Ultrasound Update. Edited by Madjar H, Teubner J, Hackelöer BJ. Basel: Karger; (1994)
|
||||
- SH Heywang. MRI in breast disease.. Book of Abstracts: Society of Magnetic Resonance in Medicine 1. Berkeley, CA. (1993)
|
||||
- WA Kaiser. False-positive results in dynamic MR mammography. Causes, frequency and methods to avoid.. Magn Reson Imaging Clin North Am (1994)
|
||||
- SH Heywang-Koebrunner; P Vieweg; A Heinig; C Kuchler. Contrast-enhanced MRI of the breast: accuracy, value, controversies, solutions.. Eur J Radiol (1997)
|
||||
- B Bone; P Aspelin; L Bronge; B Isberg; L Perbeck; B Veress. Sensitivity and specificity of MR mammography with histopathological correlation in 250 breasts.. Acta Radiol (1996)
|
||||
- CB Stelling. MR imaging of the breast for cancer evaluation: current status and future directions.. Radiol Clin North Am (1995)
|
||||
- L Esserman; N Hylton; L Yassa; J Barclay; S Frankel; E Sickles. Utility of magnetic resonance imaging in the managment of breast cancer: evidence for improved preoperative staging.. J Clin Oncol (1999)
|
||||
- WA Kaiser; K Diedrich; M Reiser; D Krebs. Modern diagnostics of the breast [in German].. Geburtsh u Frauenheilk (1993)
|
||||
- C Boetes; R Mus; R Holland; JO Barentsz; SP Strijk; T Wobbes; JH Hendriks; SH Ruys. Breast tumors: comparative accuracy of MR imaging relative to mammography and US for demonstration extent.. Radiology (1995)
|
||||
- U Fischer; R Vossheinrich; L Kopka; D von Heyden; JW Oestmann; EH Grabbe. Preoperative MR mammography in patients with breast cancer: impact of therapy [abstract].. Radiology (1994)
|
||||
- S Kramer; R Schultz-Wendtland; K Hagedorn; W Bautz; N Lang. Magnetic resonace imaging and its role in the diagnosis of multicentric breast cancer.. Anticancer Res (1998)
|
||||
- S Ciatto; M Rosselli del Turco; R Bonardi; L Cataliotta; V Distante; G Cardona; S Bianchi. Non-palpable lesions of the breast detected by mammography: review of 1182 consecutive histologically confirmed cases.. Eur J Cancer (1994)
|
||||
- U Fischer; JP Westerhof; U Brinck; M Korabiowska; A Schauer; E Grabbe. Ductal carcinoma in situ in dynamic MR mammography at 1.5 T [in German].. Fortschr Röntgenstr (1996)
|
||||
- H Sittek; M Kessler; AF Heuck; T Bredl; C Perlet; I Künzer; A Lebeau; M Untch; M Reiser. Morphology and contrast enhancement of ductal carcinoma in situ in dynamic 1.0 T MR mammography [in German].. Fortschr Röntgenstr (1997)
|
||||
- R Gilles; B Zafrani; JM Guinebretiere; M Meunier; O Lucidarme; AA Tardivon; F Rochard; D Vanel; S Neuenschwander; R Arriagada. Ductal carcinoma in situ: MR imaging-histopathologic correlation.. Radiology (1995)
|
||||
- W Buchberger; M Kapferer; A Stöger; A Chemelli; W Judmaier; S Felber. Dignity evaluation of focal mamma lesions: a prospective comparison between mammography, sonography and dynamic MR mammography [in German; abstract].. Radiologe (1995)
|
||||
- SH Heywang; A Wolf; E Pruss; T Hilbertz; W Eiermann; W Permanetter. MR imaging of the breast with Gd-DTPA: use and limitations.. Radiology (1989)
|
133
tests/data/groundtruth/docling_v2/research.0509.nxml.itxt
Normal file
133
tests/data/groundtruth/docling_v2/research.0509.nxml.itxt
Normal file
@ -0,0 +1,133 @@
|
||||
item-0 at level 0: unspecified: group _root_
|
||||
item-1 at level 1: section_header: Introduction
|
||||
item-2 at level 2: text: Cancer therapeutics have made re ... eding risk resulting from its use [7].
|
||||
item-3 at level 2: text: Chemotherapy-induced cardiotoxic ... the onset and progression of AF [11].
|
||||
item-4 at level 2: text: The mitochondrial quality survei ... alance of mitochondrial dynamics [17].
|
||||
item-5 at level 2: text: A previous study found that PI3K ... pathogenesis of ibrutinib-mediated AF.
|
||||
item-6 at level 1: section_header: Ibrutinib increases AF susceptib ... d promotes mitochondrial fragmentation
|
||||
item-7 at level 2: text: To assess the proarrhythmic pote ... nce of atrial mitochondria (Fig. S1I).
|
||||
item-8 at level 1: section_header: Ibrutinib induces AF by impairin ... ction and structure of atrial myocytes
|
||||
item-9 at level 2: text: We investigated the molecular me ... mitochondrial structure and function.
|
||||
item-10 at level 1: section_header: Ibrutinib disrupts mitochondrial ... own-regulating atrial AKAP1 expression
|
||||
item-11 at level 2: text: As GO and KEGG enrichment analys ... ed expression of DRP1 (Fig. 2D and E).
|
||||
item-12 at level 2: text: We computed the activity score o ... between ibrutinib and AKAP1 (Fig. 2J).
|
||||
item-13 at level 1: section_header: AKAP1 down-regulation mediates DRP1 dephosphorylation in HL-1 myocytes
|
||||
item-14 at level 2: text: We investigated the interaction ... ondrial fission marker (Fig. 3B to F).
|
||||
item-15 at level 1: section_header: Ibrutinib-induced AKAP1 depletio ... olarization via DRP1 dephosphorylation
|
||||
item-16 at level 2: text: Mitochondrial dynamic imbalance ... l morphology to normal (Fig. 4A to E).
|
||||
item-17 at level 2: text: Western blot analysis showed tha ... AKAP1 overexpression (Fig. 4O and P).
|
||||
item-18 at level 1: section_header: AKAP1 deficiency impairs mitocho ... tabolic reprogramming in HL-1 myocytes
|
||||
item-19 at level 2: text: Mitochondrial bioenergetics and ... rial fission inhibitor (Fig. 5A to F).
|
||||
item-20 at level 2: text: Impaired mitochondrial respirati ... -treated with Mdivi-1 (Fig. 5L and M).
|
||||
item-21 at level 1: section_header: AKAP1 down-regulation is involve ... is, oxidative stress, and inflammation
|
||||
item-22 at level 2: text: Insufficient energy production c ... r Mdivi-1 intervention (Fig. 6A to C).
|
||||
item-23 at level 2: text: We next elucidated the regulator ... Mdivi-1 intervention (Fig. 6F and G).
|
||||
item-24 at level 2: text: Mitochondrial dysfunction not on ... i-1 cotreatment groups (Fig. 6I to K).
|
||||
item-25 at level 1: section_header: AKAP1 overexpression prevents ib ... S and restoring mitochondrial function
|
||||
item-26 at level 2: text: To verify whether AKAP1 up-regul ... y AKAP1 overexpression (Fig. 7F to I).
|
||||
item-27 at level 2: text: MitoSOX staining revealed that m ... inflammatory response (Fig. 7L to P).
|
||||
item-28 at level 1: section_header: Discussion
|
||||
item-29 at level 2: text: Mitochondrial damage serves as a ... t for exploring preventive approaches.
|
||||
item-30 at level 2: text: AKAP1, a scaffolding protein, an ... sturbances through off-target effects.
|
||||
item-31 at level 2: text: Recent studies have investigated ... pathogenesis of ibrutinib-induced AF.
|
||||
item-32 at level 2: text: Our study utilized high-throughp ... xorubicin-induced cardiotoxicity [27].
|
||||
item-33 at level 2: text: Excessive fission depletes ATPs ... forms a pathological substrate for AF.
|
||||
item-34 at level 2: text: In this study, we discovered tha ... oxicity of tyrosine kinase inhibitors.
|
||||
item-35 at level 2: text: Increasing evidence suggests tha ... ators for AKAP1 are not yet available.
|
||||
item-36 at level 1: section_header: Animal model
|
||||
item-37 at level 2: text: C57BL/6J mice (8 to 10 weeks, we ... d libitum throughout the study period.
|
||||
item-38 at level 1: section_header: Cell culture and lentivirus transfection
|
||||
item-39 at level 2: text: For stable AKAP1 overexpression, ... ailed in the related prior study [53].
|
||||
item-40 at level 1: section_header: In vivo electrophysiology study
|
||||
item-41 at level 2: text: Electrophysiological studies on ... pisodes of each animal was documented.
|
||||
item-42 at level 1: section_header: Echocardiography
|
||||
item-43 at level 2: text: The Vevo 2100 Imaging System (FU ... ted the echocardiographic examination.
|
||||
item-44 at level 1: section_header: Transmission electron microscopy
|
||||
item-45 at level 2: text: Retrograde aortic perfusion with ... s described in our previous study [21]
|
||||
item-46 at level 1: section_header: Single-cell RNA-seq analysis
|
||||
item-47 at level 2: text: The single-cell transcriptome da ... pathway activities of specific cells.
|
||||
item-48 at level 1: section_header: Confocal imaging
|
||||
item-49 at level 2: text: Fluorescent images were obtained ... ntibodies used for immunofluorescence.
|
||||
item-50 at level 2: text: MitoTracker Red (0.5 μM, 30 min) ... he MitoSOX Red (5 μM, 20 min) Reagent.
|
||||
item-51 at level 1: section_header: Isolation of primary atrial myocytes and atrial mitochondria
|
||||
item-52 at level 2: text: Atrial myocytes were isolated us ... anual (Thermo Fisher Scientific, USA).
|
||||
item-53 at level 1: section_header: Western blot analysis
|
||||
item-54 at level 2: text: Atrial tissues or cultured cell ... the antibodies documented in Table S1.
|
||||
item-55 at level 1: section_header: mtDNA copy number and quantitative PCR
|
||||
item-56 at level 2: text: The mitochondrial DNA copy numbe ... analysis of the respective sequences.
|
||||
item-57 at level 1: section_header: Figures
|
||||
item-59 at level 1: picture
|
||||
item-59 at level 2: caption: Fig. 1. Ibrutinib induces atrial fibrillation (AF) by impairing mitochondrial function and structures of atrial myocytes. (A and B) Expression heatmap and volcano map of differentially expressed atrial proteins, illustrating that 170 proteins were up-regulated and 208 were down-regulated in ibrutinib-treated mice compared with control mice. N = 3 independent mice per group. (C to H) Gene Ontology and KEGG enrichment analysis of the 378 differentially expressed proteins in atrial tissue. (I to L) GSEA of differentially expressed proteins following ibrutinib treatment.
|
||||
item-61 at level 1: picture
|
||||
item-61 at level 2: caption: Fig. 2. Ibrutinib disrupts mitochondrial homeostasis by down-regulating atrial AKAP1 expression. (A) Volcano plot labeled with the top mitochondria-related differentially expressed proteins. (B) Expression of marker genes for cell-type annotation is indicated on the DotPlot. (C) Uniform manifold approximation and projection representation of all single cells color-coded for their assigned major cell type. (D and E) Featureplots showing the expression patterns of AKAP1 and DRP1 in atrial tissues from AF and control groups. (F to H) Analysis of the correlation between AKAP1 expression and activity score of mitochondria-related pathways. (I) Atrial pan-subpopulation correlation analysis of AKAP1 expression and OXPHOS pathway activity. (J) Molecular docking analysis of the interaction between ibrutinib and AKAP1.
|
||||
item-63 at level 1: picture
|
||||
item-63 at level 2: caption: Fig. 3. AKAP1 binding mediates DRP1 phosphorylation in atrial myocytes. (A) Immunofluorescence imaging of AKAP1 and DRP1 in ibrutinib-treated atrial myocytes. (B to F) Proteins were isolated from atrial myocytes. Western blotting was used to assess AKAP1, DRP1, FIS1, and phosphorylated DRP1 expression levels. ***P < 0.001. ns, not significant.
|
||||
item-65 at level 1: picture
|
||||
item-65 at level 2: caption: Fig. 4. Ibrutinib-induced AKAP1 depletion promotes mitochondrial fission and membrane depolarization via DRP1 dephosphorylation. (A to E) MitoTracker staining for labeling mitochondria in atrial myocytes in vitro. Average mitochondrial length, ratio of fragmented/tubular mitochondria, and mitochondrial morphological parameters were determined. (F to N) Western blot analysis of mitochondrial DRP1 (mito-DRP1), total DRP1 (t-DRP1), phosphorylated DRP1, FIS1, MFN1, and OPA1 in HL-1 cells. VDAC1 was used as a loading control for mitochondrial proteins. (O) Red-to-green ratio of JC-1 fluorescence intensity. (P) Atrial myocytes loaded with JC-1 to analyze changes in mitochondrial membrane potential. N = 8 independent cell samples per group. **P < 0.01, ***P < 0.001.
|
||||
item-67 at level 1: picture
|
||||
item-67 at level 2: caption: Fig. 5. AKAP1 deficiency impairs mitochondrial respiratory function and promotes metabolic reprogramming in atrial myocytes. (A to F) Analysis of HL-1 mitochondrial bioenergetics using the Seahorse XFe96 Analyzer. OCR measurements were taken continuously from baseline and after the sequential addition of 2 mM oligomycin, 1 mM FCCP, and 0.5 mM R/A to measure basal respiration, maximal respiration, spare respiratory capacity, proton leak, and ATP-production levels. (G to J) Total and individual rates of ATP production as mediated by glycolysis or mitochondrial metabolism in HL-1 cells transduced with control and LV-Akap1. (K) Ratio between ATP produced by OXPHOS and that by glycolysis in HL-1 cells transduced with control and LV-Akap1. (L and M) ELISA analysis of mitochondrial respiration complex I/III activities. N = 8 independent cell samples per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
item-69 at level 1: picture
|
||||
item-69 at level 2: caption: Fig. 6. AKAP1 down-regulation in impaired mitochondrial biogenesis, oxidative stress, and inflammation. (A to C) qPCR analysis of mitochondrial biogenesis parameters (mtDNA copy number, PGC-1α, and NRF1). (D and E) ELISA analysis of redox balance biomarkers, including MDA and GSH contents. (F and G) MitoSOX staining of mitochondrial ROS in HL-1 cells. (H) Visual GSEA of inflammation response pathway in ibrutinib-treated myocytes. (I to K) ELISA of atrial inflammatory biomarkers, including TNF-α, IL-6, and IL-18. N = 8 independent cell samples per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
item-71 at level 1: picture
|
||||
item-71 at level 2: caption: Fig. 7. AKAP1 overexpression prevents ibrutinib-induced AF by improving MQS and restoring mitochondrial function. (A) Simultaneous recordings of surface ECG following intraesophageal burst pacing. (B) Quantification of AF time. (C) AF inducibility in control and ibrutinib-treated mice with and without AAV-Akap1 transfection. (D and E) Myocardial fibrosis was assessed in each group through Sirius Red staining. The proportion of fibrotic tissue to myocardial tissue was quantified for each group. (F to I) Western blot analysis of total DRP1 (t-DRP1), phosphorylated DRP1, MFN1, and NRF1 in atrial tissues. (J and K) Images and quantification of isolated atrial myocytes loaded with the mitochondrial ROS indicator MitoSox Red. (L to P) ELISA of MQS/redox/inflammation biomarkers, including complex I/III, MDA, GSH, and IL-18. N = 8 mice per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
item-73 at level 1: picture
|
||||
item-73 at level 2: caption: Fig. 8. This schematic illustrates the proposed mechanism by which ibrutinib promotes atrial fibrillation (AF). Ibrutinib treatment leads to the downregulation of A-kinase anchoring protein 1 (AKAP1), triggering mitochondrial quality surveillance (MQS) impairment. This results in enhanced translocation of dynamin-related protein 1 (DRP1) to the mitochondria, driving mitochondrial fission. Concurrently, metabolic reprogramming is characterized by increased glycolysis and decreased oxidative phosphorylation (OXPHOS), alongside reduced mitochondrial biogenesis. These mitochondrial dysfunctions elevate oxidative stress and inflammatory responses, contributing to atrial metabolic and structural remodeling, ultimately leading to ibrutinib-induced AF.
|
||||
item-74 at level 1: section_header: References
|
||||
item-75 at level 1: list: group list
|
||||
item-76 at level 2: list_item: AR Lyon; T López-Fernández; LS C ... y Society (IC-OS).. Eur Heart J (2022)
|
||||
item-77 at level 2: list_item: JJ Moslehi. Cardio-oncology: A n ... lar investigation.. Circulation (2024)
|
||||
item-78 at level 2: list_item: B Zhou; Z Wang; Q Dou; W Li; Y L ... cohort study.. J Transl Int Med (2023)
|
||||
item-79 at level 2: list_item: JA Burger; A Tedeschi; PM Barr; ... hocytic leukemia.. N Engl J Med (2015)
|
||||
item-80 at level 2: list_item: S O’Brien; RR Furman; S Coutre; ... ia: A 5-year experience.. Blood (2018)
|
||||
item-81 at level 2: list_item: WJ Archibald; KG Rabe; BF Kabat; ... clinical outcomes.. Ann Hematol (2021)
|
||||
item-82 at level 2: list_item: F Caron; DP Leong; C Hillis; G F ... w and meta-analysis.. Blood Adv (2017)
|
||||
item-83 at level 2: list_item: S Gorini; A De Angelis; L Berrin ... nib.. Oxidative Med Cell Longev (2018)
|
||||
item-84 at level 2: list_item: J Wu; N Liu; J Chen; Q Tao; Q Li ... cer: Friend or enemy.. Research (2024)
|
||||
item-85 at level 2: list_item: JC Bikomeye; JD Terwoord; JH San ... Am J Physiol Heart Circ Physiol (2022)
|
||||
item-86 at level 2: list_item: FE Mason; JRD Pronto; K Alhussin ... ibrillation.. Basic Res Cardiol (2020)
|
||||
item-87 at level 2: list_item: Y Yang; MB Muisha; J Zhang; Y Su ... e remodeling.. J Transl Int Med (2022)
|
||||
item-88 at level 2: list_item: Y Li; R Lin; X Peng; X Wang; X L ... ide.. Oxidative Med Cell Longev (2022)
|
||||
item-89 at level 2: list_item: S Helling; S Vogt; A Rhiel; R Ra ... c oxidase.. Mol Cell Proteomics (2008)
|
||||
item-90 at level 2: list_item: B Ludwig; E Bender; S Arnold; M ... e phosphorylation.. Chembiochem (2001)
|
||||
item-91 at level 2: list_item: S Papa; D De Rasmo; S Scacco; A ... function.. Biochim Biophys Acta (2008)
|
||||
item-92 at level 2: list_item: JT Cribbs; S Strack. Reversible ... ssion and cell death.. EMBO Rep (2007)
|
||||
item-93 at level 2: list_item: JR McMullen; EJH Boey; JYY Ooi; ... diac PI3K-Akt signaling.. Blood (2014)
|
||||
item-94 at level 2: list_item: L Xiao; J-E Salem; S Clauss; A H ... inhibition of CSK.. Circulation (2020)
|
||||
item-95 at level 2: list_item: L Jiang; L Li; Y Ruan; S Zuo; X ... on in the atrium.. Heart Rhythm (2019)
|
||||
item-96 at level 2: list_item: X Yang; N An; C Zhong; M Guan; Y ... trial fibrillation.. Redox Biol (2020)
|
||||
item-97 at level 2: list_item: W Marin. A-kinase anchoring prot ... r diseases.. J Mol Cell Cardiol (2020)
|
||||
item-98 at level 2: list_item: Y Liu; RA Merrill; S Strack. A-k ... n in health and disease.. Cells (2020)
|
||||
item-99 at level 2: list_item: G Edwards; GA Perkins; K-Y Kim; ... ganglion cells.. Cell Death Dis (2020)
|
||||
item-100 at level 2: list_item: B Qi; L He; Y Zhao; L Zhang; Y H ... on and apoptosis.. Diabetologia (2020)
|
||||
item-101 at level 2: list_item: KH Flippo; A Gnanasekaran; GA Pe ... ochondrial fission.. J Neurosci (2018)
|
||||
item-102 at level 2: list_item: MP Catanzaro; A Weiner; A Kamina ... fission and mitophagy.. FASEB J (2019)
|
||||
item-103 at level 2: list_item: L Chen; Q Tian; Z Shi; Y Qiu; Q ... chondrial function.. Front Nutr (2021)
|
||||
item-104 at level 2: list_item: H Zhang; J Liu; M Cui; H Chai; L ... adolescents.. J Transl Int Med (2023)
|
||||
item-105 at level 2: list_item: L Dou; E Lu; D Tian; F Li; L Den ... e metabolism.. J Transl Int Med (2023)
|
||||
item-106 at level 2: list_item: Y Peng; Y Wang; C Zhou; W Mei; C ... we making headway?. Front Oncol (2022)
|
||||
item-107 at level 2: list_item: VL Damaraju; M Kuzma; CE Cass; C ... ed myotubes.. Biochem Pharmacol (2018)
|
||||
item-108 at level 2: list_item: Y Xu; W Wan; H Zeng; Z Xiang; M ... d challenges.. J Transl Int Med (2023)
|
||||
item-109 at level 2: list_item: W Yu; X Qin; Y Zhang; P Qiu; L W ... manner.. Cardiovasc Diagn Ther (2020)
|
||||
item-110 at level 2: list_item: W Fakih; A Mroueh; D-S Gong; S K ... idases/SGLT1/2.. Cardiovasc Res (2024)
|
||||
item-111 at level 2: list_item: Y Li; D Huang; L Jia; F Shanggua ... ulate heart function.. Research (2023)
|
||||
item-112 at level 2: list_item: Y Li; X Peng; R Lin; X Wang; X L ... ization.. Cardiovasc Innov Appl (2023)
|
||||
item-113 at level 2: list_item: TF Chu; MA Rupnick; R Kerkela; S ... se inhibitor sunitinib.. Lancet (2007)
|
||||
item-114 at level 2: list_item: E Tolstik; MB Gongalsky; J Dierk ... cardiac cells.. Front Pharmacol (2023)
|
||||
item-115 at level 2: list_item: Y Will; JA Dykens; S Nadanaciva; ... ia and H9c2 cells.. Toxicol Sci (2008)
|
||||
item-116 at level 2: list_item: Y Li; J Yan; Q Zhao; Y Zhang; Y ... 11 expression.. Front Pharmacol (2022)
|
||||
item-117 at level 2: list_item: Y Yu; Y Yan; F Niu; Y Wang; X Ch ... ar diseases.. Cell Death Discov (2023)
|
||||
item-118 at level 2: list_item: Y-T Chen; AN Masbuchin; Y-H Fang ... pathways.. Biomed Pharmacother (2023)
|
||||
item-119 at level 2: list_item: J Bouitbir; MV Panajatovic; S Kr ... H9c2 cell line.. Int J Mol Sci (2022)
|
||||
item-120 at level 2: list_item: X Zhang; Z Zhang; Y Zhao; N Jian ... etic rabbits.. J Am Heart Assoc (2017)
|
||||
item-121 at level 2: list_item: W Peng; D Rao; M Zhang; Y Shi; J ... c2 cells.. Arch Biochem Biophys (2020)
|
||||
item-122 at level 2: list_item: V Okunrintemi; BM Mishriky; JR P ... me trials.. Diabetes Obes Metab (2021)
|
||||
item-123 at level 2: list_item: H Zhou; S Wang; P Zhu; S Hu; Y C ... ochondrial fission.. Redox Biol (2018)
|
||||
item-124 at level 2: list_item: V Avula; G Sharma; MN Kosiborod; ... c dysfunction.. JACC Heart Fail (2024)
|
||||
item-125 at level 2: list_item: M Chen. Empagliflozin attenuates ... ndrial biogenesis.. Toxicol Res (2023)
|
||||
item-126 at level 2: list_item: R Lin; X Peng; Y Li; X Wang; X L ... ted myocytes.. Mol Cell Biochem (2023)
|
||||
item-127 at level 2: list_item: J Feng; Z Chen; Y Ma; X Yang; Z ... kidney disease.. Int J Biol Sci (2022)
|
||||
item-128 at level 2: list_item: S Shafaattalab; E Lin; E Christi ... cardiomyocytes.. Stem Cell Rep (2019)
|
||||
item-129 at level 2: list_item: H Lahm; M Jia; M Dreßen; F Wirth ... ropean patients.. J Clin Invest (2021)
|
||||
item-130 at level 2: list_item: J Yang; H Tan; M Sun; R Chen; Z ... fibrillation.. Clin Transl Med (2023)
|
||||
item-131 at level 2: list_item: A Chaudhry; R Shi; DS Luciani. A ... . Am J Physiol Endocrinol Metab (2020)
|
||||
item-132 at level 2: list_item: K Wu; L-L Li; Y-K Li; X-D Peng; ... tes from adult mice.. J Vis Exp (2021)
|
2083
tests/data/groundtruth/docling_v2/research.0509.nxml.json
Normal file
2083
tests/data/groundtruth/docling_v2/research.0509.nxml.json
Normal file
File diff suppressed because it is too large
Load Diff
205
tests/data/groundtruth/docling_v2/research.0509.nxml.md
Normal file
205
tests/data/groundtruth/docling_v2/research.0509.nxml.md
Normal file
@ -0,0 +1,205 @@
|
||||
## Introduction
|
||||
|
||||
Cancer therapeutics have made remarkable progress over time, significantly prolonging the survival period of cancer patients. However, the accompanying increased risk of cardiovascular diseases has emerged as a crucial factor affecting the prognosis of cancer survivors [1–3]. Anticancer drugs have exhibited considerable cardiotoxicity, which greatly limits their clinical applications. Consequently, cardio-oncology has become a field of common concern for both oncologists and cardiologists. Ibrutinib, an efficacious Bruton’s tyrosine kinase (BTK) inhibitor endorsed by the US Food and Drug Administration for treating chronic lymphocytic leukemia, mantle cell lymphoma, and so on [4,5], is linked to elevated risks of atrial fibrillation (AF) and hemorrhagic complications. A 10-fold increase in the incidence of AF has been reported in the ibrutinib arm [4]. Long-term studies on the use of ibrutinib have revealed AF rates of up to 16% with an average observation period of 28 months [6]. Managing AF associated with ibrutinib use is complex, primarily due to the necessity of balancing the benefits of anticoagulation that it affords against the bleeding risk resulting from its use [7].
|
||||
|
||||
Chemotherapy-induced cardiotoxicity involves various mechanisms. Mitochondrial damage is a critical event in cardiotoxicity induced by chemotherapy drugs, such as doxorubicin and sunitinib [8,9]. This damage manifests as imbalanced mitochondrial dynamics, suppressed respiratory function, and so on [10]. Because AF is associated with rapid atrial activation rates that require a high energy supply from mitochondria, metabolic remodeling centered on mitochondrial dysfunction is identified as the chief factor driving the onset and progression of AF [11].
|
||||
|
||||
The mitochondrial quality surveillance (MQS) system is closely linked to maintaining mitochondrial homeostasis and restoring any damage to the organelle. The optimal mitochondrial physiological function can be maintained by repairing or removing the damaged mitochondria using regulating MQS factors, such as mitochondrial fission/fusion balance, bioenergetics, and biogenesis. Although studies have explored the role of an impaired MQS system in both cardiovascular diseases and chemotherapy-induced cardiotoxicity like doxorubicin [11–13], the role of an altered MQS system and its upstream regulatory mechanisms in ibrutinib-induced AF have remained largely unexplored. A-kinase anchoring protein 1 (AKAP1) is regarded as a crucial regulator of MQS including mitochondrial metabolism and dynamics. By anchoring the related proteins on the mitochondrial outer membrane (MOM), AKAP1 integrates multiple key pathways to influence mitochondrial morphology, function, and cellular fate. On one hand, AKAP1 promotes mitochondrial respiration and increases the adenosine triphosphate (ATP) synthesis rate by facilitating the phosphorylation of essential mitochondrial proteins like NDUFS4 and cytochrome c oxidase [14–16]. Furthermore, AKAP1 modulates the phosphorylation and dephosphorylation-mediated activation of dynamin-related protein 1 (DRP1), a key protein in mitochondrial fission, through interactions with various binding partners on the MOM, thereby exerting regulatory effects on the balance of mitochondrial dynamics [17].
|
||||
|
||||
A previous study found that PI3K-Akt pathway inhibition could cause ibrutinib-induced AF [18]. Additionally, Xiao et al. [19] proposed that the C-terminal Src kinase may be a regulatory target in ibrutinib-induced AF. We have previously identified the pathological phenotypes of calcium dysregulation and structural remodeling in the atrial tissue of mouse model with ibrutinib-induced AF [20]. We further reported excessive production of reactive oxygen species (ROS) and the resulting oxidative stress in atrial myocytes as a potential mechanism for ibrutinib-induced AF [21]. Damaged mitochondria markedly contribute to the generation of ROS, and the disruption of the MQS system is a common toxicological mechanism underlying the cardiotoxicity of anticancer drugs. We herein explore alterations in the atrial MQS system and the related regulatory targets in the pathogenesis of ibrutinib-mediated AF.
|
||||
|
||||
## Ibrutinib increases AF susceptibility and promotes mitochondrial fragmentation
|
||||
|
||||
To assess the proarrhythmic potential of ibrutinib, we conducted intraesophageal burst pacing and recorded electrocardiograms (ECGs) in both ibrutinib-treated and control groups. The former exhibited a significantly greater incidence of AF than that of the control group. The duration of burst-pacing-induced AF was longer in the ibrutinib-treated mice (Fig. S1A to C). Echocardiographic evaluation demonstrated that ibrutinib changed the atrial structure. The left atrium (LA) diameter and area of the ibrutinib group were larger than those of the control group (Fig. S1D to F). We further assessed pathological changes in the atria and observed a significant increase in atrial fibrosis in ibrutinib-treated mice (Fig. S1G and H). The ultrastructure of atrial myocytes was observed through transmission electron microscopy (TEM). The mitochondria in the atrial myocytes of the ibrutinib-treated group had a fragmented and punctuated appearance, with significantly shorter lengths than those in the control group, indicating that ibrutinib may disrupt the dynamic balance of atrial mitochondria (Fig. S1I).
|
||||
|
||||
## Ibrutinib induces AF by impairing the mitochondrial function and structure of atrial myocytes
|
||||
|
||||
We investigated the molecular mechanisms underlying the ibrutinib-induced increased risk of AF. A proteomic analysis was conducted to compare the atrial protein expressions of both the ibrutinib-treated and control groups. The ibrutinib treatment modified the expression of 378 proteins in the murine atrial tissue (|log2 fold change| > 1; P-adj < 0.05). Of these, 170 proteins were up-regulated and 208 were down-regulated in the ibrutinib group (Fig. 1A and B). A Kyoto Encyclopedia of Genes and Genomes (KEGG) enrichment analysis revealed that mitochondrial metabolic pathways, including oxidative phosphorylation (OXPHOS) and the tricarboxylic acid (TCA) cycle, were significantly altered by the ibrutinib treatment. A Gene Ontology (GO) biological process enrichment analysis showed that the ibrutinib treatment primarily affected proteins involved in the mitochondrial fission, mitochondrial organization, and cellular respiration. Similarly, a GO cellular component enrichment analysis indicated that ibrutinib mainly influenced the proteins located in mitochondrial respiratory chain, mitochondrial membrane, and matrix of mitochondria (Fig. 1C to F). The Gene Set Enrichment Analysis (GSEA) plot demonstrated that ibrutinib up-regulated mitochondrial fission and ROS pathway but impaired OXPHOS and mitochondrial biogenesis (Fig. 1I to L). Hence, ibrutinib intervention appeared to modify the expression of atrial proteins responsible for mitochondrial structure and function.
|
||||
|
||||
## Ibrutinib disrupts mitochondrial homeostasis by down-regulating atrial AKAP1 expression
|
||||
|
||||
As GO and KEGG enrichment analysis revealed that differentially expressed proteins were primarily associated with mitochondrial structural and functional changes, we annotated highly significant mitochondria-related differentially expressed proteins (−(log10 P) > 3) in the volcano map. AKAP1 and DRP1 had markedly differential expressions in the ibrutinib group. AKAP1 is crucial for regulating the MQS system. It can maintain the mitochondrial dynamic equilibrium by maintaining DRP1 phosphorylation at Ser637. Hence, off-target effects on AKAP1 could be responsible for ibrutinib-induced AF. Next, we investigated the expression and molecular functions of the aforementioned candidate proteins using single-cell transcriptome data from atrial tissue of patients with AF and control patients. Employing uniform manifold approximation and projection, we performed a hierarchical clustering of cardiac cells from the atrial tissues of patients with the AF and control groups. Sorting the data based on the differential expression of established lineage markers revealed that the atrial tissues comprised 10 major cell types (Fig. 2A to C). The featureplots showed that, in contrast to control samples, atrial tissues from AF patients exhibited decreased expression of AKAP1, especially in the cardiomyocyte subset. Conversely, most cell subsets of the atrial tissue from AF patients displayed increased expression of DRP1 (Fig. 2D and E).
|
||||
|
||||
We computed the activity score of the mitochondria-related pathways in the cardiomyocyte subset of the AF group using the AUCell method. The AKAP1 expression was extracted from the AF scRNA-seq dataset, and correlation analysis was conducted with activity scores of mitochondria-related pathways (Fig. 2F to H). The AKAP1 expression was positively correlated with the activities of mitochondrial biogenesis and mitochondrial fusion and negatively with mitochondrial fission. Hence, AKAP1 deficiency could be responsible for excessive mitochondrial fission observed in ibrutinib-treated mice. A pan-subpopulation analysis of the correlation between AKAP1 expression and the OXPHOS activity score in the scRNA-seq dataset of AF patients showed that AKAP1 was significantly associated with mitochondrial metabolism in most atrial subpopulations (Fig. 2I). To further investigate this relationship, we stratified the cardiomyocytes in the subset based on AKAP1 expression. Using the median AKAP1 expression value as a threshold, we categorized the cardiomyocytes into high AKAP1 expression (hiAKAP1) and low AKAP1 expression (loAKAP1) groups (Fig. S2A). Differential expression analysis was performed between these groups, followed by GO and KEGG enrichment analyses. The results revealed that differentially expressed genes were predominantly enriched in biological process terms related to mitochondrial function. These included mitochondrial electron transport, OXPHOS, mitochondrial depolarization, and mitochondrial membrane organization. In terms of cellular process, the genes were enriched in categories such as mitochondrial respiratory chain complex and MOM. KEGG pathway analysis highlighted enrichment in OXPHOS and the TCA cycle (Fig. S2B to E). GSEA provided additional insights. Compared to the hiAKAP1 group, the loAKAP1 cardiomyocyte subgroup exhibited enhanced activation of mitochondrial fission events. Conversely, the OXPHOS pathway, representative of mitochondrial metabolism, was significantly suppressed in the loAKAP1 group (Fig. S2F and G). We performed molecular docking (MD) to elucidate the potential off-target binding interactions between AKAP1 and ibrutinib molecules. The results revealed a binding energy of −6.79 kcal/mol for the protein–ligand complex, suggesting a strong binding effect between ibrutinib and AKAP1 (Fig. 2J).
|
||||
|
||||
## AKAP1 down-regulation mediates DRP1 dephosphorylation in HL-1 myocytes
|
||||
|
||||
We investigated the interaction between AKAP1 and DRP1 and its impact on the mitochondrial dynamic to elucidate the mechanism underlying AKAP1-deficiency-mediated mitochondrial fragmentation. Confocal immunofluorescence imaging demonstrated that ibrutinib treatment decreased the AKAP1 expression (red) and increased the DRP1 expression (green) in HL-1 cells (Fig. 3A). DRP1 phosphorylation is a downstream consequence of the presence of AKAP1 on the outer mitochondrial membrane (OMM). DRP1 possesses an N-terminal guanosine triphosphatase (GTPase) domain. It hydrolyzes guanosine triphosphate to generate the energy necessary for fission. AKAP1, when anchored to protein kinase A, phosphorylates DRP1 at Ser637 within the GTPase effector domain, thus inhibiting its GTPase activity and attenuating mitochondrial fission. A reduction in AKAP1 expression enhances the dephosphorylation of DRP1 at Ser637, facilitating mitochondrial fission. Therefore, we wanted to know whether AKAP1 promotes mitochondrial fission by dephosphorylating DRP1. Western blot analysis revealed that ibrutinib dephosphorylated DRP1 at Ser637 in HL-1 cells, without affecting the phosphorylation levels at Ser616, and simultaneously increased the expression of FIS1, a mitochondrial fission marker (Fig. 3B to F).
|
||||
|
||||
## Ibrutinib-induced AKAP1 depletion promotes mitochondrial fission and membrane depolarization via DRP1 dephosphorylation
|
||||
|
||||
Mitochondrial dynamic imbalance is regarded as both the initiator and facilitator of mitochondrial dysfunction. We quantitatively assessed ibrutinib-induced changes in mitochondrial morphology by considering the fragmented mitochondria in the atrial tissues of ibrutinib-treated mice and the proteomics enrichment analysis results. To further investigate the mechanism underlying AKAP1-deficiency-mediated mitochondrial fission, the HL-1 cardiomyocytes were infected with LV-Akap1 before ibrutinib treatment. MitoTracker staining demonstrated that ibrutinib exposure formed small, round, and fragmented mitochondria in atrial myocytes, indicating enhanced mitochondrial fission. To quantitatively evaluate alterations in atrial mitochondrial fragmentation, we measured the aspect ratio and form factor of mitochondria in both the ibrutinib and control groups. The former displayed a significant decrease in AR and FF parameters than that in the control group. However, transfection with LV-Akap1 partially restored the mitochondrial morphology to normal (Fig. 4A to E).
|
||||
|
||||
Western blot analysis showed that ibrutinib exposure led to a significant increase in mitochondrial fission-related proteins (DRP1 and FIS1) and a decrease in mitochondrial fusion-associated proteins (MFN1 and OPA1). Importantly, compared to the modest increase in total DRP1 (t-DRP1), the expression of mitochondria-localized DRP1 (mito-DRP1) was remarkably elevated in the ibrutinib-treated group, along with a significant dephosphorylation of DRP1 at Ser637. Transfecting HL-1 cells with LV-Akap1 considerably increased the phosphorylation level of DRP1 at Ser637. Furthermore, without significant changes in total DRP1, LV-Akap1 transfection diminished DRP1 translocation to mitochondria and enhanced the expressions of MFN1 and OPA1 (Fig. 4F to N). The mitochondrial membrane potential determines the mitochondrial function. Excessive mitochondrial fission can depolarize the mitochondrial membrane potential, which was restored to near-normal levels by AKAP1 overexpression (Fig. 4O and P).
|
||||
|
||||
## AKAP1 deficiency impairs mitochondrial respiratory function and promotes metabolic reprogramming in HL-1 myocytes
|
||||
|
||||
Mitochondrial bioenergetics and dynamics are interconnected. A disruption in the balance between fusion and fission can impair mitochondrial bioenergetics, diminishing ATP production. We investigated whether ibrutinib disturbs mitochondrial bioenergetics homeostasis by interfering with AKAP1. We conducted a Seahorse Mito Stress test to assess mitochondrial respiration. The results demonstrated that ibrutinib stimulation significantly impaired basal respiration, maximal respiration, spare respiratory capacity, and ATP production, which were attenuated by transduction with LV-Akap1 or cotreatment with Mdivi-1, a mitochondrial fission inhibitor (Fig. 5A to F).
|
||||
|
||||
Impaired mitochondrial respiration is linked to metabolic reprogramming. As mitochondrial OXPHOS declines, the real-time ATP rate assay was utilized to assess whether the ibrutinib-treated cells displayed adaptive reprogramming toward the glycolytic pathway. The assay simultaneously measured the basal ATP-production rates from mitochondrial respiration (oxygen consumption rate [OCR]) and glycolysis (extracellular acidification rate). The ibrutinib-treated myocytes had a significantly reduced total ATP-production rate, primarily owing to the inability of the elevated glycoATP rate to compensate for the mitoATP rate deficiency. AKAP1 overexpression or Mdivi-1 cotreatment effectively reversed the metabolic reprogramming phenotype. The degree of this alteration can be determined by the extent of reduction in the ATP index ratio (mitoATP production rate/glycoATP production rate) in ibrutinib-treated myocytes. This reduction was partially restored by AKAP1 overexpression or Mdivi-1 intervention (Fig. 5G to K). These results are consistent with the finding that the activity of mitochondrial ETC complex I/III was compromised in the ibrutinib group but improved to near-normal levels in ibrutinib-treated cells transduced with LV-Akap1 or co-treated with Mdivi-1 (Fig. 5L and M).
|
||||
|
||||
## AKAP1 down-regulation is involved in impaired mitochondrial biogenesis, oxidative stress, and inflammation
|
||||
|
||||
Insufficient energy production could be associated with defective mitochondrial biogenesis, a process crucial for replenishing number of healthy mitochondria. Ibrutinib treatment reduced the levels of PGC-1 and NRF1, 2 essential regulators of mitochondrial biogenesis. It also reduced the mtDNA copy number. However, this inhibitory effect of ibrutinib on mitochondrial biogenesis was ameliorated by AKAP1 overexpression or Mdivi-1 intervention (Fig. 6A to C).
|
||||
|
||||
We next elucidated the regulatory role of AKAP1 in the mitochondrial redox balance in ibrutinib-treated myocytes. Representative MitoSOX staining images showed that ibrutinib promotes excessive mitochondrial ROS production. AKAP1 overexpression significantly diminished the mitoROS level, also observed in the Mdivi-1 cotreatment group. Ibrutinib-treated myocytes exhibited reduced glutathione (GSH) and elevated malondialdehyde (MDA) levels, which were restored by LV-Akap1 transduction and Mdivi-1 intervention (Fig. 6F and G).
|
||||
|
||||
Mitochondrial dysfunction not only disturbs energy metabolism but also triggers inflammatory responses through an intricate immunometabolic crosstalk. Given the observed atrial fibrosis in animal models, GSEA of inflammatory response pathway indicated that inflammation activation is presented in ibrutinib-treated myocytes (Fig. 6H). We performed enzyme-linked immunosorbent assay (ELISA) to assess alterations in the levels of inflammatory factors. The ibrutinib group exhibited elevated levels of tumor necrosis factor-α (TNF-α), interleukin-6 (IL-6), and IL-18. However, the AKAP1 overexpression significantly down-regulated these cytokines. IL-18 was reversed in both AKAP1 overexpression and Mdivi-1 cotreatment groups (Fig. 6I to K).
|
||||
|
||||
## AKAP1 overexpression prevents ibrutinib-induced AF by improving MQS and restoring mitochondrial function
|
||||
|
||||
To verify whether AKAP1 up-regulation could mitigate the AF risk and restore the MQS system in ibrutinib-treated mice models, we established an in vivo AKAP1 overexpression model using adeno-associated virus (AAV), with AAV-GFP as the control group. The ibrutinib-treated mice exhibited a higher AF incidence and prolonged AF duration than those of control mice. ECG measurements revealed that the ibrutinib-treated group with AKAP1 overexpression had diminished AF duration and incidence (Fig. 7A to C). AKAP1 overexpression also ameliorated atrial fibrosis (Fig. 7D and E). We validated the ibrutinib-induced Drp1 Ser637 dephosphorylation and expression levels of mitochondrial fission/fusion markers. The ibrutinib treatment reduced DRP1 phosphorylation at Ser637 and simultaneously decreased the MFN1 (fusion marker) and NRF1 (biogenesis marker) levels. These effects were reversed by AKAP1 overexpression (Fig. 7F to I).
|
||||
|
||||
MitoSOX staining revealed that mitochondrial ROS production was significantly elevated in ibrutinib-treated mice, which normalized following AKAP1 overexpression (Fig. 7J and K). This finding was supported by the ibrutinib-induced reduction in GSH contents and an increase in MDA contents, which were also reversed by AKAP1 overexpression. Similar trends were observed for the activity of mitochondrial complex I/III. These data confirmed the regulatory role of AKAP1 in mitochondrial bioenergetics in ibrutinib-induced AF. Moreover, the IL-18 level was up-regulated in the ibrutinib-treated group. The AKAP1 overexpression could normalize the inflammatory response (Fig. 7L to P).
|
||||
|
||||
## Discussion
|
||||
|
||||
Mitochondrial damage serves as a major determinant in the pathogenesis of chemotherapeutic agents’ cardiotoxic effects. We employed gene-editing technologies in animal models and HL-1 cells and showed that ibrutinib increases the AF risk by disrupting the AKAP1-regulated MQS. Our study has several key findings. First, ibrutinib-treated mice exhibited decreased AKAP1 expression, which was closely associated with an increased risk of AF. Second, down-regulated AKAP1 disturbs the MQS system in atrial myocytes, as evidenced by the increased mitochondrial fission caused by enhanced Drp1 Ser637 dephosphorylation and OMM translocation, which is accompanied by impaired mitochondrial biogenesis and mitochondrial metabolic reprogramming in bioenergetics. Third, AKAP1 deficiency in atrial cardiomyocytes dysregulates the MQS, which further promotes oxidative stress and inflammatory activation, resulting in increased atrial fibrosis. Importantly, the AKAP1 overexpression effectively restores mitochondrial homeostasis and alleviates oxidative stress and inflammation-induced fibrosis in the ibrutinib-treated mouse model (Fig. 8). Our results offer novel perspectives on the molecular mechanisms connecting impaired MQS with electrophysiological alterations in ibrutinib-induced AF, indicating that AKAP1 could be a promising target for exploring preventive approaches.
|
||||
|
||||
AKAP1, a scaffolding protein, anchors to the OMM with its inserted mitochondrial targeting sequence. By recruiting signaling proteins to the OMM, AKAP1 serves as a mitochondrial signaling hub regulating mitochondrial homeostasis [22,23]. AKAP1 deficiency in retinal ganglion cells causes mitochondrial fragmentation by promoting Drp1 Ser637 dephosphorylation [24]. Previous studies on diabetic cardiomyopathy have revealed that AKAP1 down-regulation can compromise mitochondrial respiration by impeding NDUFS1 translocation into mitochondria and promoting mitochondrial ROS generation [25]. We employed quantitative proteomics to investigate alterations in protein expression following ibrutinib treatment. Enrichment analysis revealed that mitochondria-related pathways were enriched with differentially expressed proteins. The volcano plot showed that AKAP1 was one of the most significantly down-regulated candidates among the mitochondria-related proteins. We validated atrial AKAP1 down-regulation based on AF single-cell transcriptome data. We observed a significant correlation between AKAP1 expression and the activity score of MQS-related pathways, including mitochondrial fission, biogenesis, and OXPHOS in cardiomyocyte subpopulations. Our study is the first to provide a comprehensive understanding of ibrutinib-mediated atrial MQS disturbances through off-target effects.
|
||||
|
||||
Recent studies have investigated ROS-related mechanisms in ibrutinib-induced AF. Jiang et al. [20] reported ibrutinib-related atrial calcium handling disorders caused by increased RyR2 Ser2814 phosphorylation. Our recent research has further revealed that enhanced ibrutinib-mediated oxidative stress may increase the Ser2814 phosphorylation of RyR2. This observation is supported by the finding that antioxidant interventions effectively reduced calcium overload and inflammation-induced atrial fibrosis, thereby decreasing the ibrutinib-induced AF risk [21]. During mitochondrial electron transfer, electrons can leak and react with oxygen to create superoxide anions, making mitochondria a major source of ROS. Disruptions in electron transport in damaged mitochondria increase electron leakage, causing ROS bursts. However, as a crucial source of intracellular ROS, the role of mitochondrial damage in ibrutinib-induced AF has not been thoroughly investigated. Through GSEA of proteomics, we found that mitochondrial fission and ROS generation pathways were activated and OXPHOS and mitochondrial biogenesis processes were suppressed in the ibrutinib group. Hence, MQS impairment may be critical for the pathogenesis of ibrutinib-induced AF.
|
||||
|
||||
Our study utilized high-throughput sequencing along with genetic editing to investigate the mechanism of ibrutinib-induced mitochondrial damage leading to AF, with a focus on AKAP1-mediated MQS disturbance. The mitochondrial dynamic imbalance is crucial for cardio-oncology. As highly dynamic organelles, mitochondria continuously cycle between fission and fusion events to adapt to environmental demands. During mitochondrial fission, dephosphorylation of DRP1 at Ser637 promotes its recruitment to mitochondria [26]. The recruited DRP1 forms ring-like structures on OMM, constricting the organelle and producing 2 daughter mitochondria. Excessive mitochondrial fission from increased DRP1 Ser616 phosphorylation has also been found to be responsible for the pathogenesis of doxorubicin-induced cardiotoxicity [27].
|
||||
|
||||
Excessive fission depletes ATPs by regulating mitochondrial metabolic reprogramming, along with suppressed biogenesis, ultimately disrupting the MQS system. Metabolic reprogramming, a cellular self-regulatory mechanism in response to environmental changes, has been demonstrated to play a crucial role in the pathophysiology of both cardiometabolic and neoplastic diseases [28–31]. This adaptive process has gained increasing recognition and understanding in the field of cardio-oncology, highlighting its role in the complex interplay between cancer therapeutics and cardiovascular health. Sunitinib disturbs mitochondrial bioenergetics by reducing the complex I activities, accompanied by an increased generation of mitochondrial ROS and decreased uptake of substrates, such as nucleosides [32]. A down-regulation of mitochondrial biogenesis markers, including Nrf2, PPARα, and PGC-1α expression, has been reported in the animal models of doxorubicin-induced cardiotoxicity and some other cardiovascular disorders [13,33]. In the mechanism of cardiotoxicity induced by anticancer drugs, the suppression of mitochondrial biogenesis is accompanied by an increase in ROS generation [34]. Interestingly, this dual phenomenon has also been observed in the pathophysiology of AF [35]. This imbalance in mitochondrial homeostasis limits the capacity of atrial energy production and increases ROS generation because of a reduction in the electron transfer efficiency owing to excessive mitochondrial fission in naive daughter mitochondria [36]. The increased ROS levels can attack adjacent intact mitochondria, resulting in a self-perpetuating cycle of ROS-induced ROS production [37]. ROS overproduction and inflammation activation exhibit reciprocal stimulation, creating a vicious loop that forms a pathological substrate for AF.
|
||||
|
||||
In this study, we discovered that ibrutinib can disrupt the mitochondrial homeostasis in atrial cardiomyocytes. Indeed, the cardiotoxic side effects exhibited by a series of tyrosine kinase inhibitors are closely associated with the mitochondrial homeostasis disturbance. Sunitinib, a widely used vascular endothelial growth factor receptor tyrosine kinase inhibitor for the treatment of metastatic renal cell carcinoma, has been reported to have common cardiotoxicity with an incidence rate of 1% to 10% [1]. Mechanistic studies have revealed that sunitinib can induce myocardial apoptosis [38], which is manifested as the disruption of mitochondrial network structures [39], reduced efficiency of electron transfer, and the accompanying decrease in ATP production [8]. In H9c2 cardiac cell models exposed to sunitinib for 24 h and mouse models treated by gavage for 2 weeks, the collapse of mitochondrial membrane potential and elevated mitochondrial ROS can be observed. Intervention with mito-TEMPO can effectively alleviate mitochondrial dysfunction. Sorafenib, a multitargeted tyrosine kinase inhibitor, has emerged as a first-line treatment for patients with advanced hepatocellular carcinoma and renal cell carcinoma. Evidence suggests that at the therapeutically relevant doses, sorafenib can directly compromise the mitochondrial function of H9c2 cardiomyocytes [40]. The mechanism underlying this cardiotoxicity may be attributed to sorafenib’s role as an effective ferroptosis inducer [41]. Ferroptosis is typically associated with substantial alterations in mitochondrial morphology, characterized by increased mitochondrial membrane density and reduced mitochondrial cristae [42]. Furthermore, sorafenib has been shown to activate the c-Jun N-terminal kinase downstream pathways, leading to disruption of mitochondrial respiration and induction of apoptosis [43]. Imatinib, which functions through inhibiting the activity of BCR-ABL tyrosine kinase, has become the standard treatment for Philadelphia chromosome-positive chronic myeloid leukemia. However, reports from both in vivo and in vitro studies have highlighted its potential cardiotoxicity. Ultrastructural analysis of cardiac tissue from patients undergoing imatinib therapy has revealed the presence of pleomorphic mitochondria with disrupted cristae. In vitro experiments have provided further insights into the mechanisms of this cardiotoxicity. Cardiomyocytes exposed to imatinib for 24 h demonstrate activation of mitochondrial death pathways, triggered by PERK-eIF2α signaling. This process is accompanied by accumulation of mitochondrial superoxide and disruption of mitochondrial membrane potential [44]. These findings suggest that mitochondrial homeostasis dysregulation may represent a shared pathophysiological mechanism underlying the cardiotoxicity associated with tyrosine kinase inhibitors. This insight opens up new avenues for therapeutic strategies aimed at mitigating the cardiac side effects of these drugs. Future research focusing on maintaining mitochondrial homeostasis could potentially yield promising interventions to reduce the cardiotoxicity of tyrosine kinase inhibitors.
|
||||
|
||||
Increasing evidence suggests that targeting mitochondrial homeostasis in the heart could help manage both AF and cardio-oncology. Dipeptidyl peptidase-4 (DPP-4) inhibitors demonstrate upstream preventive effects on AF by enhancing mitochondrial biogenesis [45]. A preclinical study showed that DPP-4 inhibitors can alleviate doxorubicin-induced myocyte deaths [46]. A reduced risk of AF can be observed in patients receiving sodium-glucose co-transporter 2 (SGLT2) inhibitors [47]. The electrophysiological protective actions of SGLT2 inhibitors may be associated with metabolic regulation via AMPK activation, resulting in decreased mitochondrial fission and suppressed ROS generation [48]. Recent research emphasizes the therapeutic promise of SGLT2 inhibitors in cardio-oncology. TriNetX data analysis demonstrated that SGLT2 inhibitors significantly lowered the risk of heart failure worsening and AF in patients with cancer treatment-related cardiac dysfunction [49], which is tied to pharmacological actions of attenuating oxidative stress and stimulating mitochondrial biogenesis [50,51]. AKAP1 overexpression in ibrutinib-treated mice can markedly enhance mitochondrial homeostasis and ultimately decrease the AF risk. Indeed, the AKAP1 overexpression strategy has demonstrated therapeutic benefits by restoring mitochondrial homeostasis in several diseases, including diabetic kidney disease, glaucoma, and diabetic cardiomyopathy [24,25,52]. However, specific pharmacological activators for AKAP1 are not yet available.
|
||||
|
||||
## Animal model
|
||||
|
||||
C57BL/6J mice (8 to 10 weeks, weighing 20 to 25 g) were acquired from the Animal Centre at Anzhen Hospital in Beijing, China. The protocols were sanctioned by the Committee for Animal Care and Use of Anzhen Hospital. Following a previously described method, the mice were given daily intraperitoneal doses of ibrutinib at a dose of 30 mg·kg−1·day−1 and were assessed after 14 days of treatment [21]. Mice that received intraperitoneal injections of phosphate-buffered saline (PBS) served as the vehicle control. The biological function of AKAP1 was investigated via checking the cardiac-specific overexpression of AKAP1 in mice transfected with adeno-associated virus 9 (AAV-9). Purified AAV-9 encoding Akap1 was provided by BrainVTA (Wuhan, China) Co. Ltd. The mice were allocated into 4 different groups: AAV9-cTNT-EGFP-Con, AAV9-cTNT-Akap1-Con, AAV9-cTNT-EGFP-Ibru, and AAV9-cTNT-Akap1-Ibru. Each mouse was intravenously injected with 100 μl of either 5.0 to 6.0 × 1013 GC/ml AAV9-cTNT-Akap1 or 5.0 to 6.0 × 1013 GC/ml AAV9-cTNT-EGFP in the tail. All mice were maintained in specific pathogen-free environments with a 12-h light/dark cycle, regulated temperature, and humidity. Food and water were available ad libitum throughout the study period.
|
||||
|
||||
## Cell culture and lentivirus transfection
|
||||
|
||||
For stable AKAP1 overexpression, HL-1 cells were transduced with either a negative control lentivirus (LV-NC) or an Akap1 overexpression lentivirus (LV-Akap1). The Akap1 overexpression lentivirus was designed, synthesized, and sequence-verified by Obio Technology Corp. (Shanghai, China). To mimic ibrutinib exposure on the atrial myocytes, the HL-1 cells were treated with 1 μM of ibrutinib for 24 h before experimental determinations, as detailed in the related prior study [53].
|
||||
|
||||
## In vivo electrophysiology study
|
||||
|
||||
Electrophysiological studies on the mice were conducted following previously described methods [21]. To be brief, mice were anesthetized via the intraperitoneal injection of 1% pentobarbital sodium. ECGs were recorded from surface limb leads. The electrode was introduced through the esophagus in close proximity to the LA, to capture ECGs with PowerLab and LabChart 7 software. Rapid pacing (10 ms at 30 Hz) was employed to evaluate susceptibility to pacing-induced AF. The AF phenotype was identified by distinguishing it from sinus rhythm phenotype when the ECGs demonstrated an absence of distinct P waves. We used this characteristic to differentiate AF from sinus rhythm. The restoration of sinus rhythm was confirmed by observing the detectable P waves. Duration of AF episodes of each animal was documented.
|
||||
|
||||
## Echocardiography
|
||||
|
||||
The Vevo 2100 Imaging System (FUJIFILM VisualSonics, Inc.) was employed to assess cardiac structural and functional parameters [21]. Initially, mice from each group were anesthetized using ether. Following effective sedation, the mice were laid in the supine position, their fur was trimmed, and their skin was cleansed before examining the atrial structural indicators. Ultrasound assessments were conducted to measure the LA diameter and area. A technician blinded to the grouping of the mice conducted the echocardiographic examination.
|
||||
|
||||
## Transmission electron microscopy
|
||||
|
||||
Retrograde aortic perfusion with 2.5% glutaraldehyde was employed to fix left atrial tissue samples from each group. Subsequently, the myocardial tissues of the mice were processed according to standard protocols and examined using TEM as described in our previous study [21]
|
||||
|
||||
## Single-cell RNA-seq analysis
|
||||
|
||||
The single-cell transcriptome dataset (GSE161016, PRJNA815461) from the Gene Expression Omnibus database, which includes data from the atrial tissue of healthy controls and patients with persistent AF, was utilized in this study [54,55]. Single-cell RNA-seq data of the atrial appendage tissue from the patients with AF were acquired from PRJNA815461, while that of the atrial tissue from the control group was obtained from 2 patients who had no prior history of coronary artery disease (GSE16101). The Seurat R package was employed to preprocess the raw data. Single cells were filtered (cells expressing a range of 500 to 4,000 unique genes and less than 10% mitochondrial transcripts were retained) for the subsequent analysis. Uniform manifold approximation and projection was used to group and visualize the cells, allowing for a clear differentiation and visualization of cell clusters. Statistically significant cell marker genes (adjusted P < 0.05) were identified and utilized to classify the clustered cells into their respective cell types. The FeaturePlot function was then used for gene expression distributions. Furthermore, the R package AUCell was utilized to assess the mitochondria-related pathway activities of specific cells.
|
||||
|
||||
## Confocal imaging
|
||||
|
||||
Fluorescent images were obtained with a 40× oil immersion objective on the laser scanning confocal microscope operating in line-scan mode (400 Hz). Cells were plated on gelatin-coated cytospin slides, allowed to air dry, and fixed with paraformaldehyde for 30 min at 20°C. Following a PBS wash, the cells were permeabilized for 15 min with 0.3% Triton X-100 and then blocked at room temperature with 10% bovine serum albumin for 1 h. Then, cells were incubated overnight at 4°C with primary antibodies, followed by the treatment with fluorescence-labeled secondary antibodies for 1 h. The nuclei were stained using 4′,6-diamidino-2-phenylindole. Table S1 lists the antibodies used for immunofluorescence.
|
||||
|
||||
MitoTracker Red (0.5 μM, 30 min) was employed to analyze mitochondrial morphology. The form factor and aspect ratio of mitochondria were quantified based on the number of branches, branch junctions, and the total branch length in the mitochondrial skeleton [56]. JC-1 dye (1 μM, 30 min) was employed to evaluate mitochondrial membrane potential, with the ratio of red fluorescence (aggregated) to green fluorescence (monomeric) indicating the mitochondrial membrane potential. Mitochondrial superoxide production was evaluated using the MitoSOX Red (5 μM, 20 min) Reagent.
|
||||
|
||||
## Isolation of primary atrial myocytes and atrial mitochondria
|
||||
|
||||
Atrial myocytes were isolated using the established enzyme digestion protocol utilizing the Langendorff retrograde perfusion technique [57]. To promote adherence, the isolated atrial myocytes were seeded onto a laminin-coated dish. More detailed methodological information of atrial myocytes isolation can be found in the Supplementary Materials. In this study, mitochondria were isolated from atrial myocytes using a mitochondrial isolation kit (Thermo Fisher Scientific, USA). The first step involved collecting the atrial myocytes and centrifuging them at 700 g for 5 min at 4 °C to remove the supernatant. The cell pellet was then washed twice with pre-chilled 1×PBS. Subsequently, the cells were resuspended in mitochondrial isolation buffer and subjected to gentle mechanical disruption on ice to lyse the cells. The lysed suspension underwent differential centrifugation: an initial low-speed spin to remove intact cells and larger debris, followed by a high-speed spin to pellet the mitochondria. The resulting mitochondrial samples were either used immediately or stored at −80 °C until further Western blot analysis. The entire procedure was carried out under cold conditions to ensure the integrity and functionality of the mitochondria. For more detailed information, please refer to the manufacturer’s manual (Thermo Fisher Scientific, USA).
|
||||
|
||||
## Western blot analysis
|
||||
|
||||
Atrial tissues or cultured cell specimens were analyzed using a previously described Western blot protocol. In brief, the samples were lysed in ice-cold RIPA lysis buffer containing 10 mM of Tris-Cl (pH 8.0), 1 mM of EDTA, 1% Triton X-100, 0.1% sodium deoxycholate, 0.1% SDS, 150 mM of NaCl, 1 mM of phenylmethylsulfonyl fluoride, and 0.02 mg/ml each of aprotinin, leupeptin, and pepstatin. The lysates were sonicated and clarified by centrifugation. Protein concentration was determined using a Bradford assay. Then, sodium dodecyl sulfate–polyacrylamide gel electrophoresis was employed to separate 50 to 100 mg of proteins per lane. The resolved proteins were then transferred to a polyvinylidene difluoride membrane and subsequently incubated with the antibodies documented in Table S1.
|
||||
|
||||
## mtDNA copy number and quantitative PCR
|
||||
|
||||
The mitochondrial DNA copy number was determined by comparing the cytochrome c oxidase subunit 3 (Cox3) mtDNA gene with the UCP2 nuclear gene using quantitative polymerase chain reaction (qPCR). To quantify mtDNA mRNA, Trizol reagent (Life Technologies Inc., Carlsbad, CA, USA) was used to extract total RNA, which was then reverse-transcribed using oligo (dT)-primed cDNA. Table S2 provides the primers utilized for qPCR analysis of the respective sequences.
|
||||
|
||||
## Figures
|
||||
|
||||
Fig. 1. Ibrutinib induces atrial fibrillation (AF) by impairing mitochondrial function and structures of atrial myocytes. (A and B) Expression heatmap and volcano map of differentially expressed atrial proteins, illustrating that 170 proteins were up-regulated and 208 were down-regulated in ibrutinib-treated mice compared with control mice. N = 3 independent mice per group. (C to H) Gene Ontology and KEGG enrichment analysis of the 378 differentially expressed proteins in atrial tissue. (I to L) GSEA of differentially expressed proteins following ibrutinib treatment.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 2. Ibrutinib disrupts mitochondrial homeostasis by down-regulating atrial AKAP1 expression. (A) Volcano plot labeled with the top mitochondria-related differentially expressed proteins. (B) Expression of marker genes for cell-type annotation is indicated on the DotPlot. (C) Uniform manifold approximation and projection representation of all single cells color-coded for their assigned major cell type. (D and E) Featureplots showing the expression patterns of AKAP1 and DRP1 in atrial tissues from AF and control groups. (F to H) Analysis of the correlation between AKAP1 expression and activity score of mitochondria-related pathways. (I) Atrial pan-subpopulation correlation analysis of AKAP1 expression and OXPHOS pathway activity. (J) Molecular docking analysis of the interaction between ibrutinib and AKAP1.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 3. AKAP1 binding mediates DRP1 phosphorylation in atrial myocytes. (A) Immunofluorescence imaging of AKAP1 and DRP1 in ibrutinib-treated atrial myocytes. (B to F) Proteins were isolated from atrial myocytes. Western blotting was used to assess AKAP1, DRP1, FIS1, and phosphorylated DRP1 expression levels. ***P < 0.001. ns, not significant.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 4. Ibrutinib-induced AKAP1 depletion promotes mitochondrial fission and membrane depolarization via DRP1 dephosphorylation. (A to E) MitoTracker staining for labeling mitochondria in atrial myocytes in vitro. Average mitochondrial length, ratio of fragmented/tubular mitochondria, and mitochondrial morphological parameters were determined. (F to N) Western blot analysis of mitochondrial DRP1 (mito-DRP1), total DRP1 (t-DRP1), phosphorylated DRP1, FIS1, MFN1, and OPA1 in HL-1 cells. VDAC1 was used as a loading control for mitochondrial proteins. (O) Red-to-green ratio of JC-1 fluorescence intensity. (P) Atrial myocytes loaded with JC-1 to analyze changes in mitochondrial membrane potential. N = 8 independent cell samples per group. **P < 0.01, ***P < 0.001.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 5. AKAP1 deficiency impairs mitochondrial respiratory function and promotes metabolic reprogramming in atrial myocytes. (A to F) Analysis of HL-1 mitochondrial bioenergetics using the Seahorse XFe96 Analyzer. OCR measurements were taken continuously from baseline and after the sequential addition of 2 mM oligomycin, 1 mM FCCP, and 0.5 mM R/A to measure basal respiration, maximal respiration, spare respiratory capacity, proton leak, and ATP-production levels. (G to J) Total and individual rates of ATP production as mediated by glycolysis or mitochondrial metabolism in HL-1 cells transduced with control and LV-Akap1. (K) Ratio between ATP produced by OXPHOS and that by glycolysis in HL-1 cells transduced with control and LV-Akap1. (L and M) ELISA analysis of mitochondrial respiration complex I/III activities. N = 8 independent cell samples per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 6. AKAP1 down-regulation in impaired mitochondrial biogenesis, oxidative stress, and inflammation. (A to C) qPCR analysis of mitochondrial biogenesis parameters (mtDNA copy number, PGC-1α, and NRF1). (D and E) ELISA analysis of redox balance biomarkers, including MDA and GSH contents. (F and G) MitoSOX staining of mitochondrial ROS in HL-1 cells. (H) Visual GSEA of inflammation response pathway in ibrutinib-treated myocytes. (I to K) ELISA of atrial inflammatory biomarkers, including TNF-α, IL-6, and IL-18. N = 8 independent cell samples per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 7. AKAP1 overexpression prevents ibrutinib-induced AF by improving MQS and restoring mitochondrial function. (A) Simultaneous recordings of surface ECG following intraesophageal burst pacing. (B) Quantification of AF time. (C) AF inducibility in control and ibrutinib-treated mice with and without AAV-Akap1 transfection. (D and E) Myocardial fibrosis was assessed in each group through Sirius Red staining. The proportion of fibrotic tissue to myocardial tissue was quantified for each group. (F to I) Western blot analysis of total DRP1 (t-DRP1), phosphorylated DRP1, MFN1, and NRF1 in atrial tissues. (J and K) Images and quantification of isolated atrial myocytes loaded with the mitochondrial ROS indicator MitoSox Red. (L to P) ELISA of MQS/redox/inflammation biomarkers, including complex I/III, MDA, GSH, and IL-18. N = 8 mice per group. *P < 0.05, **P < 0.01, ***P < 0.001.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
Fig. 8. This schematic illustrates the proposed mechanism by which ibrutinib promotes atrial fibrillation (AF). Ibrutinib treatment leads to the downregulation of A-kinase anchoring protein 1 (AKAP1), triggering mitochondrial quality surveillance (MQS) impairment. This results in enhanced translocation of dynamin-related protein 1 (DRP1) to the mitochondria, driving mitochondrial fission. Concurrently, metabolic reprogramming is characterized by increased glycolysis and decreased oxidative phosphorylation (OXPHOS), alongside reduced mitochondrial biogenesis. These mitochondrial dysfunctions elevate oxidative stress and inflammatory responses, contributing to atrial metabolic and structural remodeling, ultimately leading to ibrutinib-induced AF.
|
||||
|
||||
<!-- image -->
|
||||
|
||||
## References
|
||||
|
||||
- AR Lyon; T López-Fernández; LS Couch; R Asteggiano; MC Aznar; J Bergler-Klein; G Boriani; D Cardinale; R Cordoba; B Cosyns; . ESC scientific document group, 2022 ESC guidelines on cardio-oncology developed in collaboration with the European Hematology Association (EHA), the European Society for Therapeutic Radiology and Oncology (ESTRO) and the International Cardio-Oncology Society (IC-OS).. Eur Heart J (2022)
|
||||
- JJ Moslehi. Cardio-oncology: A new clinical frontier and novel platform for cardiovascular investigation.. Circulation (2024)
|
||||
- B Zhou; Z Wang; Q Dou; W Li; Y Li; Z Yan; P Sun; B Zhao; X Li; F Shen; . Long-term outcomes of esophageal and gastric cancer patients with cardiovascular and metabolic diseases: A two-center propensity score-matched cohort study.. J Transl Int Med (2023)
|
||||
- JA Burger; A Tedeschi; PM Barr; T Robak; C Owen; P Ghia; O Bairey; P Hillmen; NL Bartlett; J Li; . Ibrutinib as initial therapy for patients with chronic lymphocytic leukemia.. N Engl J Med (2015)
|
||||
- S O’Brien; RR Furman; S Coutre; IW Flinn; JA Burger; K Blum; J Sharman; W Wierda; J Jones; W Zhao; . Single-agent ibrutinib in treatment-naïve and relapsed/refractory chronic lymphocytic leukemia: A 5-year experience.. Blood (2018)
|
||||
- WJ Archibald; KG Rabe; BF Kabat; J Herrmann; W Ding; NE Kay; SS Kenderian; E Muchtar; JF Leis; Y Wang; . Atrial fibrillation in patients with chronic lymphocytic leukemia (CLL) treated with ibrutinib: Risk prediction, management, and clinical outcomes.. Ann Hematol (2021)
|
||||
- F Caron; DP Leong; C Hillis; G Fraser; D Siegal. Current understanding of bleeding with ibrutinib use: A systematic review and meta-analysis.. Blood Adv (2017)
|
||||
- S Gorini; A De Angelis; L Berrino; N Malara; G Rosano; E Ferraro. Chemotherapeutic drugs and mitochondrial dysfunction: Focus on doxorubicin, trastuzumab, and sunitinib.. Oxidative Med Cell Longev (2018)
|
||||
- J Wu; N Liu; J Chen; Q Tao; Q Li; J Li; X Chen; C Peng. The tricarboxylic acid cycle metabolites for cancer: Friend or enemy.. Research (2024)
|
||||
- JC Bikomeye; JD Terwoord; JH Santos; AM Beyer. Emerging mitochondrial signaling mechanisms in cardio-oncology: Beyond oxidative stress.. Am J Physiol Heart Circ Physiol (2022)
|
||||
- FE Mason; JRD Pronto; K Alhussini; C Maack; N Voigt. Cellular and mitochondrial mechanisms of atrial fibrillation.. Basic Res Cardiol (2020)
|
||||
- Y Yang; MB Muisha; J Zhang; Y Sun; Z Li. Research progress on N6-adenosylate methylation RNA modification in heart failure remodeling.. J Transl Int Med (2022)
|
||||
- Y Li; R Lin; X Peng; X Wang; X Liu; L Li; R Bai; S Wen; Y Ruan; X Chang; . The role of mitochondrial quality control in anthracycline-induced cardiotoxicity: From bench to bedside.. Oxidative Med Cell Longev (2022)
|
||||
- S Helling; S Vogt; A Rhiel; R Ramzan; L Wen; K Marcus; B Kadenbach. Phosphorylation and kinetics of mammalian cytochrome c oxidase.. Mol Cell Proteomics (2008)
|
||||
- B Ludwig; E Bender; S Arnold; M Hüttemann; I Lee; B Kadenbach. Cytochrome C oxidase and the regulation of oxidative phosphorylation.. Chembiochem (2001)
|
||||
- S Papa; D De Rasmo; S Scacco; A Signorile; Z Technikova-Dobrova; G Palmisano; AM Sardanelli; F Papa; D Panelli; R Scaringi; . Mammalian complex I: A regulable and vulnerable pacemaker in mitochondrial respiratory function.. Biochim Biophys Acta (2008)
|
||||
- JT Cribbs; S Strack. Reversible phosphorylation of Drp1 by cyclic AMP-dependent protein kinase and calcineurin regulates mitochondrial fission and cell death.. EMBO Rep (2007)
|
||||
- JR McMullen; EJH Boey; JYY Ooi; JF Seymour; MJ Keating; CS Tam. Ibrutinib increases the risk of atrial fibrillation, potentially through inhibition of cardiac PI3K-Akt signaling.. Blood (2014)
|
||||
- L Xiao; J-E Salem; S Clauss; A Hanley; A Bapat; M Hulsmans; Y Iwamoto; G Wojtkiewicz; M Cetinbas; MJ Schloss; . Ibrutinib-mediated atrial fibrillation due to inhibition of CSK.. Circulation (2020)
|
||||
- L Jiang; L Li; Y Ruan; S Zuo; X Wu; Q Zhao; Y Xing; X Zhao; S Xia; R Bai; . Ibrutinib promotes atrial fibrillation by inducing structural remodeling and calcium dysregulation in the atrium.. Heart Rhythm (2019)
|
||||
- X Yang; N An; C Zhong; M Guan; Y Jiang; X Li; H Zhang; L Wang; Y Ruan; Y Gao; . Enhanced cardiomyocyte reactive oxygen species signaling promotes ibrutinib-induced atrial fibrillation.. Redox Biol (2020)
|
||||
- W Marin. A-kinase anchoring protein 1 (AKAP1) and its role in some cardiovascular diseases.. J Mol Cell Cardiol (2020)
|
||||
- Y Liu; RA Merrill; S Strack. A-kinase anchoring protein 1: Emerging roles in regulating mitochondrial form and function in health and disease.. Cells (2020)
|
||||
- G Edwards; GA Perkins; K-Y Kim; Y Kong; Y Lee; S-H Choi; Y Liu; D Skowronska-Krawczyk; RN Weinreb; L Zangwill; . Loss of AKAP1 triggers Drp1 dephosphorylation-mediated mitochondrial fission and loss in retinal ganglion cells.. Cell Death Dis (2020)
|
||||
- B Qi; L He; Y Zhao; L Zhang; Y He; J Li; C Li; B Zhang; Q Huang; J Xing; . Akap1 deficiency exacerbates diabetic cardiomyopathy in mice by NDUFS1-mediated mitochondrial dysfunction and apoptosis.. Diabetologia (2020)
|
||||
- KH Flippo; A Gnanasekaran; GA Perkins; A Ajmal; RA Merrill; AS Dickey; SS Taylor; GS McKnight; AK Chauhan; YM Usachev; . AKAP1 protects from cerebral ischemic stroke by inhibiting Drp1-dependent mitochondrial fission.. J Neurosci (2018)
|
||||
- MP Catanzaro; A Weiner; A Kaminaris; C Li; F Cai; F Zhao; S Kobayashi; T Kobayashi; Y Huang; H Sesaki; . Doxorubicin-induced cardiomyocyte death is mediated by unchecked mitochondrial fission and mitophagy.. FASEB J (2019)
|
||||
- L Chen; Q Tian; Z Shi; Y Qiu; Q Lu; C Liu. Melatonin alleviates cardiac function in sepsis-caused myocarditis via maintenance of mitochondrial function.. Front Nutr (2021)
|
||||
- H Zhang; J Liu; M Cui; H Chai; L Chen; T Zhang; J Mi; H Guan; L Zhao. Moderate-intensity continuous training has time-specific effects on the lipid metabolism of adolescents.. J Transl Int Med (2023)
|
||||
- L Dou; E Lu; D Tian; F Li; L Deng; Y Zhang. Adrenomedullin induces cisplatin chemoresistance in ovarian cancer through reprogramming of glucose metabolism.. J Transl Int Med (2023)
|
||||
- Y Peng; Y Wang; C Zhou; W Mei; C Zeng. PI3K/Akt/mTOR pathway and its role in cancer therapeutics: Are we making headway?. Front Oncol (2022)
|
||||
- VL Damaraju; M Kuzma; CE Cass; CT Putman; MB Sawyer. Multitargeted kinase inhibitors imatinib, sorafenib and sunitinib perturb energy metabolism and cause cytotoxicity to cultured C2C12 skeletal muscle derived myotubes.. Biochem Pharmacol (2018)
|
||||
- Y Xu; W Wan; H Zeng; Z Xiang; M Li; Y Yao; Y Li; M Bortolanza; J Wu. Exosomes and their derivatives as biomarkers and therapeutic delivery agents for cardiovascular diseases: Situations and challenges.. J Transl Int Med (2023)
|
||||
- W Yu; X Qin; Y Zhang; P Qiu; L Wang; W Zha; J Ren. Curcumin suppresses doxorubicin-induced cardiomyocyte pyroptosis via a PI3K/Akt/mTOR-dependent manner.. Cardiovasc Diagn Ther (2020)
|
||||
- W Fakih; A Mroueh; D-S Gong; S Kikuchi; MP Pieper; M Kindo; J-P Mazzucottelli; A Mommerot; M Kanso; P Ohlmann; . Activated factor X stimulates atrial endothelial cells and tissues to promote remodelling responses through AT1R/NADPH oxidases/SGLT1/2.. Cardiovasc Res (2024)
|
||||
- Y Li; D Huang; L Jia; F Shangguan; S Gong; L Lan; Z Song; J Xu; C Yan; T Chen; . LonP1 links mitochondria–ER interaction to regulate heart function.. Research (2023)
|
||||
- Y Li; X Peng; R Lin; X Wang; X Liu; F Meng; Y Ruan; R Bai; R Tang; N Liu. Tyrosine kinase inhibitor antitumor therapy and atrial fibrillation: Potential off-target effects on mitochondrial function and cardiac substrate utilization.. Cardiovasc Innov Appl (2023)
|
||||
- TF Chu; MA Rupnick; R Kerkela; SM Dallabrida; D Zurakowski; L Nguyen; K Woulfe; E Pravda; F Cassiola; J Desai; . Cardiotoxicity associated with tyrosine kinase inhibitor sunitinib.. Lancet (2007)
|
||||
- E Tolstik; MB Gongalsky; J Dierks; T Brand; M Pernecker; NV Pervushin; DE Maksutova; KA Gonchar; JV Samsonova; G Kopeina; . Raman and fluorescence micro-spectroscopy applied for the monitoring of sunitinib-loaded porous silicon nanocontainers in cardiac cells.. Front Pharmacol (2023)
|
||||
- Y Will; JA Dykens; S Nadanaciva; B Hirakawa; J Jamieson; LD Marroquin; J Hynes; S Patyna; BA Jessen. Effect of the multitargeted tyrosine kinase inhibitors imatinib, dasatinib, sunitinib, and sorafenib on mitochondrial function in isolated rat heart mitochondria and H9c2 cells.. Toxicol Sci (2008)
|
||||
- Y Li; J Yan; Q Zhao; Y Zhang; Y Zhang. ATF3 promotes ferroptosis in sorafenib-induced cardiotoxicity by suppressing Slc7a11 expression.. Front Pharmacol (2022)
|
||||
- Y Yu; Y Yan; F Niu; Y Wang; X Chen; G Su; Y Liu; X Zhao; L Qian; P Liu; . Ferroptosis: A cell death connecting oxidative stress, inflammation and cardiovascular diseases.. Cell Death Discov (2023)
|
||||
- Y-T Chen; AN Masbuchin; Y-H Fang; L-W Hsu; S-N Wu; C-J Yen; Y-W Liu; Y-W Hsiao; J-M Wang; MS Rohman; . Pentraxin 3 regulates tyrosine kinase inhibitor-associated cardiomyocyte contraction and mitochondrial dysfunction via ERK/JNK signalling pathways.. Biomed Pharmacother (2023)
|
||||
- J Bouitbir; MV Panajatovic; S Krähenbühl. Mitochondrial toxicity associated with imatinib and sorafenib in isolated rat heart fibers and the cardiomyoblast H9c2 cell line.. Int J Mol Sci (2022)
|
||||
- X Zhang; Z Zhang; Y Zhao; N Jiang; J Qiu; Y Yang; J Li; X Liang; X Wang; G Tse; . Alogliptin, a dipeptidyl peptidase-4 inhibitor, alleviates atrial remodeling and improves mitochondrial function and biogenesis in diabetic rabbits.. J Am Heart Assoc (2017)
|
||||
- W Peng; D Rao; M Zhang; Y Shi; J Wu; G Nie; Q Xia. Teneligliptin prevents doxorubicin-induced inflammation and apoptosis in H9c2 cells.. Arch Biochem Biophys (2020)
|
||||
- V Okunrintemi; BM Mishriky; JR Powell; DM Cummings. Sodium-glucose co-transporter-2 inhibitors and atrial fibrillation in the cardiovascular and renal outcome trials.. Diabetes Obes Metab (2021)
|
||||
- H Zhou; S Wang; P Zhu; S Hu; Y Chen; J Ren. Empagliflozin rescues diabetic myocardial microvascular injury via AMPK-mediated inhibition of mitochondrial fission.. Redox Biol (2018)
|
||||
- V Avula; G Sharma; MN Kosiborod; M Vaduganathan; TG Neilan; T Lopez; S Dent; L Baldassarre; M Scherrer-Crosbie; A Barac; . SGLT2 inhibitor use and risk of clinical events in patients with cancer therapy-related cardiac dysfunction.. JACC Heart Fail (2024)
|
||||
- M Chen. Empagliflozin attenuates doxorubicin-induced cardiotoxicity by activating AMPK/SIRT-1/PGC-1α-mediated mitochondrial biogenesis.. Toxicol Res (2023)
|
||||
- R Lin; X Peng; Y Li; X Wang; X Liu; X Jia; C Zhang; N Liu; J Dong. Empagliflozin attenuates doxorubicin-impaired cardiac contractility by suppressing reactive oxygen species in isolated myocytes.. Mol Cell Biochem (2023)
|
||||
- J Feng; Z Chen; Y Ma; X Yang; Z Zhu; Z Zhang; J Hu; W Liang; G Ding. AKAP1 contributes to impaired mtDNA replication and mitochondrial dysfunction in podocytes of diabetic kidney disease.. Int J Biol Sci (2022)
|
||||
- S Shafaattalab; E Lin; E Christidi; H Huang; Y Nartiss; A Garcia; J Lee; S Protze; G Keller; L Brunham; . Ibrutinib displays atrial-specific toxicity in human stem cell-derived cardiomyocytes.. Stem Cell Rep (2019)
|
||||
- H Lahm; M Jia; M Dreßen; F Wirth; N Puluca; R Gilsbach; BD Keavney; J Cleuziou; N Beck; O Bondareva; . Congenital heart disease risk loci identified by genome-wide association study in European patients.. J Clin Invest (2021)
|
||||
- J Yang; H Tan; M Sun; R Chen; Z Jian; Y Song; J Zhang; S Bian; B Zhang; Y Zhang; . Single-cell RNA sequencing reveals a mechanism underlying the susceptibility of the left atrial appendage to intracardiac thrombogenesis during atrial fibrillation.. Clin Transl Med (2023)
|
||||
- A Chaudhry; R Shi; DS Luciani. A pipeline for multidimensional confocal analysis of mitochondrial morphology, function, and dynamics in pancreatic β-cells.. Am J Physiol Endocrinol Metab (2020)
|
||||
- K Wu; L-L Li; Y-K Li; X-D Peng; M-X Zhang; K-S Liu; X-S Wang; J-X Yang; S-N Wen; Y-F Ruan; . Modifications of the Langendorff method for simultaneous isolation of atrial and ventricular myocytes from adult mice.. J Vis Exp (2021)
|
512
tests/data/xml/10-1055-a-2308-2290.nxml
Normal file
512
tests/data/xml/10-1055-a-2308-2290.nxml
Normal file
File diff suppressed because one or more lines are too long
297
tests/data/xml/10-1055-a-2313-0311.nxml
Normal file
297
tests/data/xml/10-1055-a-2313-0311.nxml
Normal file
@ -0,0 +1,297 @@
|
||||
<!DOCTYPE article
|
||||
PUBLIC "-//NLM//DTD JATS (Z39.96) Journal Archiving and Interchange DTD with MathML3 v1.3 20210610//EN" "JATS-archivearticle1-3-mathml3.dtd">
|
||||
<article xmlns:mml="http://www.w3.org/1998/Math/MathML" article-type="research-article" xml:lang="en" dtd-version="1.3"><?properties open_access?><processing-meta base-tagset="archiving" mathml-version="3.0" table-model="xhtml" tagset-family="jats"><restricted-by>pmc</restricted-by></processing-meta><front><journal-meta><journal-id journal-id-type="nlm-ta">Thromb Haemost</journal-id><journal-id journal-id-type="iso-abbrev">Thromb Haemost</journal-id><journal-id journal-id-type="doi">10.1055/s-00035024</journal-id><journal-title-group><journal-title>Thrombosis and Haemostasis</journal-title></journal-title-group><issn pub-type="ppub">0340-6245</issn><issn pub-type="epub">2567-689X</issn><publisher><publisher-name>Georg Thieme Verlag KG</publisher-name><publisher-loc>Rüdigerstraße 14, 70469 Stuttgart, Germany</publisher-loc></publisher></journal-meta>
|
||||
<article-meta><article-id pub-id-type="pmid">38657649</article-id><article-id pub-id-type="pmc">11518614</article-id>
|
||||
<article-id pub-id-type="doi">10.1055/a-2313-0311</article-id><article-id pub-id-type="publisher-id">TH-23-06-0235</article-id><article-categories><subj-group><subject>Stroke, Systemic or Venous Thromboembolism</subject></subj-group></article-categories><title-group><article-title>Exploring the Two-Way Link between Migraines and Venous Thromboembolism: A Bidirectional Two-Sample Mendelian Randomization Study</article-title></title-group><contrib-group><contrib contrib-type="author"><contrib-id contrib-id-type="orcid">http://orcid.org/0000-0003-4357-7451</contrib-id><name><surname>Wang</surname><given-names>Yang</given-names></name><xref rid="AF23060235-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Hu</surname><given-names>Xiaofang</given-names></name><xref rid="AF23060235-2" ref-type="aff">2</xref></contrib><contrib contrib-type="author"><name><surname>Wang</surname><given-names>Xiaoqing</given-names></name><xref rid="AF23060235-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Li</surname><given-names>Lili</given-names></name><xref rid="AF23060235-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Lou</surname><given-names>Peng</given-names></name><xref rid="AF23060235-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Liu</surname><given-names>Zhaoxuan</given-names></name><xref rid="AF23060235-4" ref-type="aff">4</xref><xref rid="CO23060235-1" ref-type="author-notes"/></contrib></contrib-group><aff id="AF23060235-1"><label>1</label><institution>Vascular Surgery, Shandong Public Health Clinical Center, Shandong University, Jinan, China</institution></aff><aff id="AF23060235-2"><label>2</label><institution>Department of Neurology, Shandong Public Health Clinical Center, Shandong University, Jinan, China</institution></aff><aff id="AF23060235-3"><label>3</label><institution>Interventional Department, Shandong Public Health Clinical Center, Shandong University, Jinan, China</institution></aff><aff id="AF23060235-4"><label>4</label><institution>Vascular Surgery, Shandong First Medical University affiliated Central Hospital, Jinan, China</institution></aff><author-notes><corresp id="CO23060235-1"><bold>Address for correspondence </bold>Zhaoxuan Liu, MD <institution>Vascular Surgery, Shandong first Medical University affiliated Central Hospital</institution><addr-line>No. 105 Jiefang Road, Jinan city</addr-line><country>China</country><email>liuxin2014@hotmail.com</email></corresp></author-notes><pub-date pub-type="epub"><day>20</day><month>5</month><year>2024</year></pub-date><pub-date pub-type="collection"><month>11</month><year>2024</year></pub-date><pub-date pub-type="pmc-release"><day>1</day><month>5</month><year>2024</year></pub-date><volume>124</volume><issue>11</issue><fpage>1053</fpage><lpage>1060</lpage><history><date date-type="received"><day>10</day><month>6</month><year>2023</year></date><date date-type="accepted"><day>10</day><month>4</month><year>2024</year></date></history><permissions><copyright-statement>
|
||||
The Author(s). This is an open access article published by Thieme under the terms of the Creative Commons Attribution-NonDerivative-NonCommercial License, permitting copying and reproduction so long as the original work is given appropriate credit. Contents may not be used for commercial purposes, or adapted, remixed, transformed or built upon. (
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://creativecommons.org/licenses/by-nc-nd/4.0/">https://creativecommons.org/licenses/by-nc-nd/4.0/</uri>
|
||||
)
|
||||
</copyright-statement><copyright-year>2024</copyright-year><copyright-holder>The Author(s).</copyright-holder><license><ali:license_ref xmlns:ali="http://www.niso.org/schemas/ali/1.0/" specific-use="textmining" content-type="ccbyncndlicense">https://creativecommons.org/licenses/by-nc-nd/4.0/</ali:license_ref><license-p>This is an open-access article distributed under the terms of the Creative Commons Attribution-NonCommercial-NoDerivatives License, which permits unrestricted reproduction and distribution, for non-commercial purposes only; and use and reproduction, but not distribution, of adapted material for non-commercial purposes only, provided the original work is properly cited.</license-p></license></permissions><abstract abstract-type="graphical"><p><bold>Background</bold>
|
||||
 The objective of this study is to utilize Mendelian randomization to scrutinize the mutual causality between migraine and venous thromboembolism (VTE) thereby addressing the heterogeneity and inconsistency that were observed in prior observational studies concerning the potential interrelation of the two conditions.
|
||||
</p><p><bold>Methods</bold>
|
||||
 Employing a bidirectional Mendelian randomization approach, the study explored the link between migraine and VTE, incorporating participants of European descent from a large-scale meta-analysis. An inverse-variance weighted (IVW) regression model, with random-effects, leveraging single nucleotide polymorphisms (SNPs) as instrumental variables was utilized to endorse the mutual causality between migraine and VTE. SNP heterogeneity was evaluated using Cochran's Q-test and to account for multiple testing, correction was implemented using the intercept of the MR-Egger method, and a leave-one-out analysis.
|
||||
</p><p><bold>Results</bold>
|
||||
 The IVW model unveiled a statistically considerable causal link between migraine and the development of VTE (odds ratio [OR] = 96.155, 95% confidence interval [CI]: 4.342–2129.458,
|
||||
<italic>p</italic>
|
||||
 = 0.004), implying that migraine poses a strong risk factor for VTE development. Conversely, both IVW and simple model outcomes indicated that VTE poses as a weaker risk factor for migraine (IVW OR = 1.002, 95% CI: 1.000–1.004,
|
||||
<italic>p</italic>
|
||||
 = 0.016). The MR-Egger regression analysis denoted absence of evidence for genetic pleiotropy among the SNPs while the durability of our Mendelian randomization results was vouched by the leave-one-out sensitivity analysis.
|
||||
</p><p><bold>Conclusion</bold>
|
||||
 The findings of this Mendelian randomization assessment provide substantiation for a reciprocal causative association between migraine and VTE within the European population.
|
||||
</p><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-a-2313-0311-i23060235-toc.jpg"/></abstract><kwd-group><title>Keyword</title><kwd>Mendelian randomization</kwd><kwd>migraine</kwd><kwd>venous thromboembolism</kwd><kwd>bidirectional</kwd><kwd>causality</kwd></kwd-group></article-meta></front><body><sec><title>Introduction</title><p>
|
||||
Venous thromboembolism (VTE) encompasses both deep vein thrombosis and pulmonary embolism,
|
||||
<xref rid="JR23060235-1" ref-type="bibr">1</xref>
|
||||
ranking third globally as a prevalent vascular disorder associated with mortality.
|
||||
<xref rid="JR23060235-2" ref-type="bibr">2</xref>
|
||||
This increases the mortality risk for patients and compounds the financial burden on health care services. Hence, the ongoing evaluation and assessment of VTE risk in clinical settings are crucial.
|
||||
</p><p>
|
||||
Migraine, characterized by recurrent episodes of severe unilateral headaches accompanied by pulsating sensations and autonomic symptoms, affects approximately one billion individuals worldwide.
|
||||
<xref rid="JR23060235-3" ref-type="bibr">3</xref>
|
||||
Several research studies indicate an increase in VTE incidence among migraine sufferers.
|
||||
<xref rid="JR23060235-4" ref-type="bibr">4</xref>
|
||||
<xref rid="JR23060235-5" ref-type="bibr">5</xref>
|
||||
<xref rid="JR23060235-6" ref-type="bibr">6</xref>
|
||||
<xref rid="JR23060235-7" ref-type="bibr">7</xref>
|
||||
<xref rid="JR23060235-8" ref-type="bibr">8</xref>
|
||||
Hence, there is a significant need for further investigation to elucidate the causal relationship between VTE and migraines.
|
||||
</p><p>
|
||||
Mendelian randomization (MR) is a methodology that utilizes genetic variants as instrumental variables (IVs) to explore the causal association between a modifiable exposure and a disease outcome.
|
||||
<xref rid="JR23060235-9" ref-type="bibr">9</xref>
|
||||
By leveraging the random allocation and fixed nature of an individual's alleles at conception, this approach helps alleviate concerns regarding reverse causality and environmental confounders commonly encountered in traditional epidemiological methods.
|
||||
</p><p>In order to mitigate confounding factors and ensure robust outcomes, this investigation adopts a pioneering approach by utilizing MR to explore the genetic-level causal correlation between migraine and VTE. To the best of our knowledge, no previous study has employed this method to examine the association between these two pathological conditions, thereby lending an innovative and cutting-edge aspect to this research.</p></sec><sec><title>Materials and Methods</title><sec><title>Research Methodology</title><p>
|
||||
A rigorous bidirectional two-sample MR examination was implemented to probe the causal link between migraine and VTE risk, subsequent to a meticulous screening mechanism. For achieving credible estimations of MR causality, efficacious genetic variances serving as IVs must meet three central postulates: (I) relevance assumption, asserting that variations must demonstrate intimate association with the exposure element; (II) independence/exchangeability assumption, demanding no correlations be exhibited with any measured, unmeasured, or inconspicuous confounding elements germane to the researched correlation of interest; and (III) exclusion restriction assumption, maintaining that the variation affects the outcome exclusively through the exposure, devoid of alternative routes.
|
||||
<xref rid="JR23060235-10" ref-type="bibr">10</xref>
|
||||
<xref rid="JR23060235-11" ref-type="bibr">11</xref>
|
||||
A single nucleotide polymorphism (SNP) refers to a genomic variant where a single nucleotide undergoes alteration at a specific locus within the DNA sequence. SNPs were employed as IVs in this study for estimating causal effects. The study's design is graphically portrayed in
|
||||
<xref rid="FI23060235-1" ref-type="fig">Fig. 1</xref>
|
||||
, emphasizing the three fundamental postulates of MR. These postulates are of the utmost importance in affirming the validity of the MR examination and ensuring the reliability of the resultant causal inferences.
|
||||
<xref rid="JR23060235-12" ref-type="bibr">12</xref>
|
||||
</p><fig id="FI23060235-1"><label>Fig. 1</label><caption><p>
|
||||
This figure illustrates the research methodology for the bidirectional Mendelian randomization analysis concerning migraine and VTE. Assumption I: relevance assumption; Assumption II: independence/exchangeability assumption; Assumption III: exclusion restriction assumption.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-a-2313-0311-i23060235-1"/></fig></sec><sec><title>Data Sources</title><p>
|
||||
Our SNPs are obtained from large-scale genome-wide association studies (GWAS) public databases. The exposure variable for this study was obtained from the largest migraine GWAS meta-analysis conducted by the IEU Open GWAS project, which can be accessed at
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://gwas.mrcieu.ac.uk/datasets">https://gwas.mrcieu.ac.uk/datasets</uri>
|
||||
.
|
||||
<xref rid="JR23060235-13" ref-type="bibr">13</xref>
|
||||
<xref rid="JR23060235-14" ref-type="bibr">14</xref>
|
||||
The outcome variable was derived from the largest VTE GWAS conducted by FinnGen, available at
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://www.finngen.fi">https://www.finngen.fi</uri>
|
||||
.
|
||||
<xref rid="JR23060235-15" ref-type="bibr">15</xref>
|
||||
A comprehensive overview of the data sources used in our study can be found in
|
||||
<xref rid="TB23060235-1" ref-type="table">Table 1</xref>
|
||||
.
|
||||
</p><table-wrap id="TB23060235-1"><label>Table 1</label><caption><title>Description of GWAS used for each phenotype</title></caption><table rules="all"><colgroup align="left" span="6"><col align="left" width="12.86%"/><col align="left" width="15.08%"/><col align="left" width="19.62%"/><col align="left" width="15.22%"/><col align="left" width="27.7%"/><col align="left" width="9.54%"/></colgroup><thead><tr><th align="left" valign="bottom">Variable</th><th align="left" valign="bottom">Sample size</th><th align="left" valign="bottom">ID</th><th align="left" valign="bottom">Population</th><th align="left" valign="bottom">Database</th><th align="left" valign="bottom">Year</th></tr></thead><tbody><tr><td align="left" valign="top">Migraine</td><td align="left" valign="top">337159</td><td align="left" valign="top">ukb-a-87</td><td align="left" valign="top">European</td><td align="left" valign="top">IEU Open GWAS project</td><td align="left" valign="top">2017</td></tr><tr><td align="left" valign="top">VTE</td><td align="left" valign="top">218792</td><td align="left" valign="top">finn-b-I9_VTE</td><td align="left" valign="top">European</td><td align="left" valign="top">FinnGen</td><td align="left" valign="top">2021</td></tr></tbody></table><table-wrap-foot><fn id="FN23060235-2"><p>Abbreviations: GWAS, genome-wide association studies; VTE, venous thromboembolism.</p></fn><fn id="FN23060235-3"><p>Note: Basic information of GWAS for migraine and VTE is displayed in this table.</p></fn></table-wrap-foot></table-wrap><p>
|
||||
The variances in genetic variations and exposure distributions across diverse ethnicities could potentially result in spurious correlations between genetic variants and exposures.
|
||||
<xref rid="JR23060235-16" ref-type="bibr">16</xref>
|
||||
Consequently, the migraine and VTE GWAS for this study were sourced from a homogeneous European populace to circumvent such inaccurate associations. It is crucial to highlight that the data harvested from public databases were current up to March 31, 2023. Given the public nature of all data utilized in our study, there was no necessity for further ethical approval.
|
||||
</p></sec><sec><title>Filtering Criteria of IVs</title><p>
|
||||
To select appropriate SNPs as IVs, we followed standard assumptions of MR. First, we performed a screening process using the migraine GWAS summary data, applying a significance threshold of
|
||||
<italic>p</italic>
|
||||
 < 5 × 10
|
||||
<sup>−8</sup>
|
||||
(Assumption I). To ensure the independence of SNPs and mitigate the effects of linkage disequilibrium, we set the linkage disequilibrium coefficient (
|
||||
<italic>r</italic>
|
||||
<sup>2</sup>
|
||||
) to 0.001 and restricted the width of the linkage disequilibrium region to 10,000 kb. PhenoScanner (
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="http://www.phenoscanner.medschl.cam.ac.uk/">http://www.phenoscanner.medschl.cam.ac.uk/</uri>
|
||||
) serves as a versatile tool, enabling users to explore genetic variants, genes, and traits linked to a wide spectrum of phenotypes.
|
||||
<xref rid="JR23060235-17" ref-type="bibr">17</xref>
|
||||
<xref rid="JR23060235-18" ref-type="bibr">18</xref>
|
||||
Utilizing PhenoScanner v2, we ruled out SNPs linked with potential confounding constituents and outcomes, thereby addressing assumptions II and III. Subsequently, we extracted the relevant SNPs from the VTE GWAS summary data, ensuring a minimum
|
||||
<italic>r</italic>
|
||||
<sup>2</sup>
|
||||
 > 0.8 and replacing missing SNPs with highly linked SNPs. We excluded SNPs without replacement sites and palindromic SNPs and combined the information from both datasets. Finally, we excluded SNPs directly associated with VTE at a significance level of
|
||||
<italic>p</italic>
|
||||
 < 5 × 10
|
||||
<sup>−8</sup>
|
||||
and prioritized IVs with an F-statistic [F-statistic = (β/SE)2] > 10 to minimize weak instrument bias.
|
||||
<xref rid="BR23060235-19" ref-type="bibr">19</xref>
|
||||
</p></sec><sec><title>Statistical Analysis</title><p>For our analysis, we employed the inverse-variance weighted (IVW) random-effects regression model to assess the causal relationship between migraine and VTE, utilizing SNPs as IVs. This approach allowed us to directly calculate the causal effect using summary data, eliminating the need for individual-level data. To assess SNP heterogeneity, we conducted Cochran's Q test and, in the presence of heterogeneity, relied on the results of the IVW model. To examine the presence of pleiotropy, we utilized the MR-Egger method and conducted leave-one-out analysis. All statistical analyses were performed using the TwoSampleMR package in R 4.2.2 software, with a significance level set at α = 0.05.</p></sec></sec><sec><title>Results</title><p>
|
||||
In the present investigation, we capitalized on a bidirectional two-sample MR analysis in individuals of European descent to scrutinize the potential causative correlation between migraines and VTE risk. Our investigation implies a potential bidirectional pathogenic relationship between migraines and the risk of VTE, as supported by the specific analysis results detailed in
|
||||
<xref rid="TB23060235-2" ref-type="table">Table 2</xref>
|
||||
.
|
||||
</p><table-wrap id="TB23060235-2"><label>Table 2</label><caption><title>Mendelian randomization regression causal association results</title></caption><table rules="all"><colgroup align="left" span="7"><col align="left" width="13.04%"/><col align="left" width="13.04%"/><col align="left" width="15.94%"/><col align="left" width="8.7%"/><col align="left" width="8.7%"/><col align="left" width="28.98%"/><col align="left" width="11.6%"/></colgroup><thead><tr><th align="left" valign="bottom">Exposures</th><th align="left" valign="bottom">SNPs (no.)</th><th align="left" valign="bottom">Methods</th><th align="left" valign="bottom">β</th><th align="left" valign="bottom">SE</th><th align="left" valign="bottom">OR (95% CI)</th><th align="left" valign="bottom">
|
||||
<italic>p</italic>
|
||||
</th></tr></thead><tbody><tr><td align="left" valign="top">Migraine</td><td align="left" valign="top">11</td><td align="left" valign="top">IVW</td><td align="left" valign="top">4.566</td><td align="left" valign="top">1.580</td><td align="left" valign="top">96.155 (4.342–2129.458)</td><td align="left" valign="top">0.004</td></tr><tr><td align="left" rowspan="2" valign="top">VTE</td><td align="left" rowspan="2" valign="top">12</td><td align="left" valign="top">IVW</td><td align="left" valign="top">0.002</td><td align="left" valign="top">0.001</td><td align="left" valign="top">1.002 (1.000–1.004);</td><td align="left" valign="top">0.016</td></tr><tr><td align="left" valign="top">Simple mode</td><td align="left" valign="top">0.003</td><td align="left" valign="top">0.001</td><td align="left" valign="top">1.003 (1.000–1.006)</td><td align="left" valign="top">0.047</td></tr></tbody></table><table-wrap-foot><fn id="FN23060235-4"><p>Abbreviations: CI: confidence interval; IVW, inverse variance weighting; OR, odds ratio; SE, standard error; SNPs, single nucleotide polymorphisms; VTE, venous thromboembolism.</p></fn><fn id="FN23060235-5"><p>Note: This table displays the causal relationship between migraine leading to VTE and VTE leading to migraine.</p></fn></table-wrap-foot></table-wrap><sec><title>Mendelian Randomization Analysis</title><p>
|
||||
During the IV screening process, it was identified that SNP r10908505 was associated with body mass index (BMI) in VTE. Considering the established association between BMI and VTE,
|
||||
<xref rid="JR23060235-1" ref-type="bibr">1</xref>
|
||||
<xref rid="JR23060235-15" ref-type="bibr">15</xref>
|
||||
this violated Assumption III and the SNP was subsequently excluded. The VTE dataset ultimately consisted of 11 SNPs, with individual SNP F-statistics ranging from 29.76 to 96.77 (all >10), indicating a minimal potential for causal associations to be confounded by weak IV bias (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S1</xref>
|
||||
, available in the online version). The IVW model revealed that migraine was a statistically significant risk factor for the onset of VTE (odds ratio [OR] = 96.155, 95% confidence interval [CI]: 4.3422–129.458,
|
||||
<italic>p</italic>
|
||||
 = 0.004) (
|
||||
<xref rid="TB23060235-2" ref-type="table">Table 2</xref>
|
||||
,
|
||||
<xref rid="FI23060235-2" ref-type="fig">Fig. 2A</xref>
|
||||
). The scatter plot (
|
||||
<xref rid="FI23060235-2" ref-type="fig">Fig. 2B</xref>
|
||||
) and funnel plot (
|
||||
<xref rid="FI23060235-2" ref-type="fig">Fig. 2C</xref>
|
||||
) of migraine demonstrated a symmetrical distribution of all included SNPs, suggesting a limited possibility of bias affecting the causal association. The Cochran's Q test, conducted on the MR-Egger regression and the IVW method, yielded statistics of 5.610 and 5.973 (
|
||||
<italic>p</italic>
|
||||
 > 0.05), indicating the absence of heterogeneity among the SNPs (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S2</xref>
|
||||
, available in the online version). These findings suggest a positive correlation between the strength of association between the IVs and migraine, satisfying the assumptions of IV analysis. The MR-Egger regression analysis showed no statistically significant difference from zero for the intercept term (
|
||||
<italic>p</italic>
|
||||
 = 0.5617), indicating the absence of genetic pleiotropy among the SNPs (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S3</xref>
|
||||
, available in the online version). Additionally, the leave-one-out analysis revealed that the inclusion or exclusion of individual SNPs did not substantially impact the estimated causal effects, demonstrating the robustness of the MR results obtained in our investigation (
|
||||
<xref rid="FI23060235-2" ref-type="fig">Fig. 2D</xref>
|
||||
).
|
||||
</p><fig id="FI23060235-2"><label>Fig. 2</label><caption><p>
|
||||
This figure explores the correlation between migraine risk and VTE, validating the presence of heterogeneity and pleiotropy. (
|
||||
<bold>A</bold>
|
||||
) The forest plot displays individual IVs, with each point flanked by lines that depict the 95% confidence interval. The effect of SNPs on the exposure (migraine) is shown along the
|
||||
<italic>x</italic>
|
||||
-axis, whereas their impact on the outcome (VTE) is presented on the
|
||||
<italic>y</italic>
|
||||
-axis. A fitted line reflects the Mendelian randomization analysis results. (
|
||||
<bold>B</bold>
|
||||
) A scatter plot visualizes each IV, with the SNP effects on both exposure and outcome similar to that of the forest plot. Again, a fitted line represents the Mendelian randomization results. (
|
||||
<bold>C</bold>
|
||||
) The funnel plot positions the coefficient β
|
||||
<sub>IV</sub>
|
||||
from the instrumental variable regression on the
|
||||
<italic>x</italic>
|
||||
-axis to demonstrate the association's strength, while the inverse of its standard error (1/SE
|
||||
<sub>IV</sub>
|
||||
<sup>†</sup>
|
||||
) on the
|
||||
<italic>y</italic>
|
||||
-axis indicates the precision of this estimate. (
|
||||
<bold>D</bold>
|
||||
) A leave-one-out sensitivity analysis is shown on the
|
||||
<italic>x</italic>
|
||||
-axis, charting the estimated effects from the Mendelian randomization analysis. With each SNP associated with migraine successively excluded, the analysis recalculates the Mendelian randomization effect estimates, culminating with the “all” category that encompasses all considered SNPs. IV, instrumental variable; SNP, single nucleotide polymorphisms; VTE, venous thromboembolism; SE, standard error.
|
||||
<sup>†</sup>
|
||||
SE is the standard error of β.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-a-2313-0311-i23060235-2"/></fig></sec><sec><title>Reverse Mendelian Randomization Analysis</title><p>
|
||||
Upon screening for IVs in migraine patients, SNP rs6060308 was excluded due to its association with education
|
||||
<xref rid="JR23060235-20" ref-type="bibr">20</xref>
|
||||
<xref rid="JR23060235-21" ref-type="bibr">21</xref>
|
||||
and violation of Assumption III. The final migraine dataset comprised 13 SNPs, with individual SNP F-statistics ranging from 30.60 to 354.34, all surpassing the threshold of 10 (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S4</xref>
|
||||
, available in the online version). Both the IVW and simple models supported VTE as a risk factor for migraine. The IVW analysis yielded an OR of 1.002 (95% CI: 1.000–1.004,
|
||||
<italic>p</italic>
|
||||
 = 0.016), while the simple model yielded an OR of 1.003 (95% CI: 1.000–1.006,
|
||||
<italic>p</italic>
|
||||
 = 0.047) (
|
||||
<xref rid="TB23060235-2" ref-type="table">Table 2</xref>
|
||||
,
|
||||
<xref rid="FI23060235-3" ref-type="fig">Fig. 3A</xref>
|
||||
). The scatter plot (
|
||||
<xref rid="FI23060235-3" ref-type="fig">Fig. 3B</xref>
|
||||
) and funnel plot (
|
||||
<xref rid="FI23060235-3" ref-type="fig">Fig. 3C</xref>
|
||||
) exhibited symmetrical distributions across all included SNPs, indicating minimal potential for biases affecting the causal association. Heterogeneity among SNPs was observed through the Cochran's Q test of the IVW method and MR-Egger regression, with Q statistics of 18.697 and 20.377, respectively, both with
|
||||
<italic>p</italic>
|
||||
 < 0.05 (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S2</xref>
|
||||
, available in the online version). Therefore, careful consideration is necessary for the results obtained from the random-effects IVW method. MR-Egger regression analysis revealed a nonsignificant difference between the intercept term and zero (
|
||||
<italic>p</italic>
|
||||
 = 0.3655), suggesting the absence of genetic pleiotropy among the SNPs (
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S3</xref>
|
||||
, available in the online version). Additionally, the leave-one-out analysis demonstrated that the inclusion or exclusion of individual SNPs had no substantial impact on the estimated causal effect (
|
||||
<xref rid="FI23060235-3" ref-type="fig">Fig. 3D</xref>
|
||||
).
|
||||
</p><fig id="FI23060235-3"><label>Fig. 3</label><caption><p>
|
||||
(
|
||||
<bold>A–D</bold>
|
||||
) This figure presents the relationship between VTE risk and migraine, also verifying heterogeneity and pleiotropy through similar graphic representations as detailed for
|
||||
<xref rid="FI23060235-2" ref-type="fig">Fig. 2</xref>
|
||||
, but with the exposure and outcome reversed—SNPs' effect on VTE and outcome on migraine. SNP, single nucleotide polymorphisms; VTE, venous thromboembolism.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-a-2313-0311-i23060235-3"/></fig></sec></sec><sec><title>Discussion</title><p>
|
||||
VTE constitutes a grave health hazard to patients, necessitating rigorous clinical surveillance. Distinct from common VTE risk factors such as cancer,
|
||||
<xref rid="JR23060235-22" ref-type="bibr">22</xref>
|
||||
diabetes,
|
||||
<xref rid="JR23060235-23" ref-type="bibr">23</xref>
|
||||
lupus,
|
||||
<xref rid="JR23060235-24" ref-type="bibr">24</xref>
|
||||
and antiphospholipid syndrome,
|
||||
<xref rid="JR23060235-25" ref-type="bibr">25</xref>
|
||||
migraines remain absent from prevalent VTE guidelines or advisories. The MR findings from our research provide first-of-its-kind evidence of a causal nexus between migraines and VTE in individuals of European descent, signaling that migraines potently predispose individuals to VTE (IVW OR = 96.155, 95% CI: 4.342–2129.458), while VTE presents a weak risk factor for migraines (IVW OR = 1.002, 95% CI: 1.000–1.004). Given the robustness of the IVW analysis, the MR analysis is considered reliable.
|
||||
</p><p>
|
||||
Our MR analysis discloses a potential causal association between individuals suffering from migraines and VTE incidence, with a risk rate 96.155 times higher in comparison to nonmigraine sufferers. Previous observational endeavors investigating VTE risk amidst migraine patients have been scant and have yielded discordant outcomes, complicating the provision of clinical directives.
|
||||
<xref rid="JR23060235-26" ref-type="bibr">26</xref>
|
||||
<xref rid="JR23060235-27" ref-type="bibr">27</xref>
|
||||
In a longitudinal inquiry with a 19-year follow-up, Adelborg et al discerned a heightened VTE risk in individuals afflicted with migraines.
|
||||
<xref rid="JR23060235-4" ref-type="bibr">4</xref>
|
||||
Peng et al's prospective clinical study unveiled a more than double VTE risk increase in migraine patients during a 4-year follow-up.
|
||||
<xref rid="JR23060235-5" ref-type="bibr">5</xref>
|
||||
Schwaiger et al's cohort study, incorporating 574 patients aged 55 to 94, observed a significant escalation in VTE risk among elderly individuals with migraines.
|
||||
<xref rid="JR23060235-6" ref-type="bibr">6</xref>
|
||||
<xref rid="JR23060235-28" ref-type="bibr">28</xref>
|
||||
Bushnell et al uncovered a tripled VTE risk during pregnancy in migraine-affected women.
|
||||
<xref rid="JR23060235-29" ref-type="bibr">29</xref>
|
||||
Although these studies validate a potential correlation between migraines and VTE, their persuasiveness is restricted due to other prominent VTE risk factors (such as advanced age and pregnancy) and contradicting findings in existing observational studies. For instance, Folsom et al observed no significant correlation between migraines and VTE risk in elderly individuals, contradicting Schwaiger's conclusion.
|
||||
<xref rid="JR23060235-7" ref-type="bibr">7</xref>
|
||||
However, he clarified that the cohort incorporated in his study did not undergo rigorous neurological migraine diagnosis, possibly leading to confounding biases and generating findings that contradict other scholarly endeavors.
|
||||
<xref rid="JR23060235-7" ref-type="bibr">7</xref>
|
||||
These contradictions originate from observational studies examining associations rather than causal relationships, invariably involving a confluence of various confounding factors. MR, leveraging SNPs as IVs to ascertain the causal link between migraines and VTE risk, can eliminate other confounding elements resulting in more reliable outcomes. Based on this finding, monitoring VTE risk among migraine patients in clinical practice is recommended.
|
||||
</p><p>The reverse MR analysis reveals that compared to non-VTE patients, those with VTE among individuals of European ancestry exhibit a marginally heightened susceptibility to migraines, with a relative risk of 1.02 (as per the IVW method). This discovery concurs with the existing void in research on migraines among VTE patients. Thus, even with slightly increased risks of migraines in VTE patients, we do not advocate for heightened concern regarding the emergence of migraines among this patient group.</p><p>
|
||||
Our endeavor seeks to offer a preliminary examination of the potential mechanisms underlying the interplay between migraines and VTE. The incidence of VTE habitually involves Virchow's triad, encompassing endothelial damage, venous stasis, and hypercoagulability.
|
||||
<xref rid="JR23060235-30" ref-type="bibr">30</xref>
|
||||
On the genetic association front, the SNPs rs9349379 and rs11172113, acting as IVs for migraines, display relevance to the mechanisms underpinning VTE. Prior research earmarks the gene corresponding to rs9349379,
|
||||
<italic>PHACTR1</italic>
|
||||
(
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S1</xref>
|
||||
, available in the online version), as a catalyst for the upregulation of
|
||||
<italic>EDN1</italic>
|
||||
.
|
||||
<xref rid="JR23060235-31" ref-type="bibr">31</xref>
|
||||
Elevated
|
||||
<italic>EDN1</italic>
|
||||
expression is associated with increased VTE susceptibility,
|
||||
<xref rid="JR23060235-32" ref-type="bibr">32</xref>
|
||||
and
|
||||
<italic>EDN1</italic>
|
||||
inhibition can diminish VTE incidence,
|
||||
<xref rid="JR23060235-33" ref-type="bibr">33</xref>
|
||||
potentially through Endothelin 1-mediated vascular endothelial inflammation leading to thrombus formation.
|
||||
<xref rid="JR23060235-34" ref-type="bibr">34</xref>
|
||||
The SNP rs11172113 corresponds to the gene
|
||||
<italic>LRP1</italic>
|
||||
(
|
||||
<xref rid="SM23060235-1" ref-type="supplementary-material">Supplementary Table S1</xref>
|
||||
, available in the online version).
|
||||
<xref rid="JR23060235-35" ref-type="bibr">35</xref>
|
||||
<italic>LRP1</italic>
|
||||
can facilitate the upregulation of
|
||||
<italic>FVIII</italic>
|
||||
, culminating in an increase in plasma coagulation factor VIII,
|
||||
<xref rid="JR23060235-36" ref-type="bibr">36</xref>
|
||||
thereby leading to heightened blood coagulability and an associated elevated VTE risk.
|
||||
<xref rid="JR23060235-37" ref-type="bibr">37</xref>
|
||||
While various studies propose divergent mechanisms, they collectively signal that migraines can instigate a hypercoagulable state, thereby promoting the onset of VTE. The SNPs serving as IVs for VTE did not unveil any association with the onset of migraines. This corroborates our MR analysis outcomes, indicating that VTE is merely a weak risk factor for migraines.
|
||||
</p><sec><title>Strengths and Limitations</title><p>This study possesses several notable strengths. First, it fulfills all three assumptions of MR, minimizing the influence of confounding factors and addressing the limitations inherent in observational studies, thus yielding more robust findings. We carefully excluded two SNPs (rs10908505 and rs6060308) that could potentially impact the results. In addition, we employed PhenoScanner v2 to comprehensively probe confounding variables related to VTE, as described earlier, and factors associated with migraines, such as acute migraine medication overuse, obesity, depression, stress, and alcohol, leading to the subsequent exclusion of relevant SNPs. This ensured that the selected SNPs specifically captured the causal effects and eliminated potential confounding effects from polygenic associations with disease susceptibility. Second, the study sample was restricted to individuals of European descent, minimizing the potential bias introduced by population heterogeneity and enhancing the internal validity of the findings. Third, the use of strongly correlated SNPs (F >> 10) in both migraine → VTE and VTE → migraine analyses enhances the validity of the IVs. Finally, this study pioneers the hypothesis of a plausible causal association between VTE and an elevated susceptibility to migraines, offering novel insights into their potential relationship.</p><p>
|
||||
Nonetheless, it is essential to acknowledge the presence of several limitations in this study that warrant consideration. First, the study participants were predominantly of European ancestry, which, although it avoids the influence of ethnicity on the results, limits the generalizability of the findings to other ethnic groups. Second, our study solely establishes the causal relationship between migraine and VTE risk without elucidating the underlying mechanisms. Third, we only selected SNPs that met the stringent genome-wide significance level (
|
||||
<italic>p</italic>
|
||||
 < 5 × 10
|
||||
<sup>−8</sup>
|
||||
), potentially excluding truly relevant variations that did not reach this threshold. Lastly, as our MR analysis relies on publicly available summary statistics data, the lack of detailed clinical information hinders subgroup analysis.
|
||||
</p></sec></sec><sec><title>Conclusion</title><p>In essence, the bidirectional Mendelian randomization analysis, conducted within the European populace, indicates the presence of a relatively strong causal correlation between migraines and VTE, while the causative relationship between VTE and migraines appears exceedingly faint. These deductions imply the need for rigorous monitoring of VTE in individuals of European descent suffering from migraines, thus requiring synergistic effort between general physicians and neurologists. Nevertheless, VTE patients should refrain from undue worries concerning the incidence of migraines. Further, we stress the importance of harnessing information gleaned from a wide array of observational studies and controlled experiments to strengthen the credibility of drawn causal inferences. This is pivotal in establishing a mutual corroboration with the results obtained through MR analysis. Hence, the exigency for additional stringent observational studies and comprehensive laboratory research prevails to corroborate the conclusions made in this study.</p></sec></body><back><sec><boxed-text content-type="backinfo"><p>
|
||||
<bold>What is known about this topic?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Previous research has not definitively established whether migraine is a risk factor for VTE, and observational studies have contradictory findings.</p></list-item><list-item><p>Previous studies do not provide evidence for the prevention of VTE occurrence in patients with migraines.</p></list-item></list><p>
|
||||
<bold>What does this paper add?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Migraine has been identified as a strong-risk factor for VTE.</p></list-item><list-item><p>VTE has been identified as a weak-risk factor for migraine.</p></list-item><list-item><p>For the first time, genetic evidence has been presented to emphasize the importance of preventing VTE occurrence in individuals with migraines.</p></list-item></list></boxed-text></sec><fn-group><fn fn-type="COI-statement" id="d35e118"><p><bold>Conflict of Interest</bold> None declared.</p></fn></fn-group><sec sec-type="supplementary-material"><title>Supplementary Material</title><supplementary-material id="SM23060235-1"><media xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-a-2313-0311-s23060235.pdf"><caption><p>Supplementary Material</p></caption><caption><p>Supplementary Material</p></caption></media></supplementary-material></sec><ref-list><title>References</title><ref id="JR23060235-1"><label>1</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Khan</surname><given-names>F</given-names></name><name><surname>Tritschler</surname><given-names>T</given-names></name><name><surname>Kahn</surname><given-names>S R</given-names></name><name><surname>Rodger</surname><given-names>M A</given-names></name></person-group><article-title>Venous thromboembolism</article-title><source>Lancet</source><year>2021</year><volume>398</volume>(10294):<fpage>64</fpage><lpage>77</lpage><pub-id pub-id-type="pmid">33984268</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-2"><label>2</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Heit</surname><given-names>J A</given-names></name></person-group><article-title>Epidemiology of venous thromboembolism</article-title><source>Nat Rev Cardiol</source><year>2015</year><volume>12</volume><issue>08</issue><fpage>464</fpage><lpage>474</lpage><pub-id pub-id-type="pmid">26076949</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-3"><label>3</label><mixed-citation publication-type="journal"><collab>Headache Classification Committee of the International Headache Society (IHS) </collab><article-title>Headache Classification Committee of the International Headache Society (IHS) The International Classification of Headache Disorders, 3rd edition</article-title><source>Cephalalgia</source><year>2018</year><volume>38</volume><issue>01</issue><fpage>1</fpage><lpage>211</lpage></mixed-citation></ref><ref id="JR23060235-4"><label>4</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Adelborg</surname><given-names>K</given-names></name><name><surname>Szépligeti</surname><given-names>S K</given-names></name><name><surname>Holland-Bill</surname><given-names>L</given-names></name></person-group><etal/><article-title>Migraine and risk of cardiovascular diseases: Danish population based matched cohort study</article-title><source>BMJ</source><year>2018</year><volume>360</volume><fpage>k96</fpage><pub-id pub-id-type="pmid">29386181</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-5"><label>5</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Peng</surname><given-names>K P</given-names></name><name><surname>Chen</surname><given-names>Y T</given-names></name><name><surname>Fuh</surname><given-names>J L</given-names></name><name><surname>Tang</surname><given-names>C H</given-names></name><name><surname>Wang</surname><given-names>S J</given-names></name></person-group><article-title>Association between migraine and risk of venous thromboembolism: a nationwide cohort study</article-title><source>Headache</source><year>2016</year><volume>56</volume><issue>08</issue><fpage>1290</fpage><lpage>1299</lpage><pub-id pub-id-type="pmid">27411732</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-6"><label>6</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sacco</surname><given-names>S</given-names></name><name><surname>Carolei</surname><given-names>A</given-names></name></person-group><article-title>Burden of atherosclerosis and risk of venous thromboembolism in patients with migraine</article-title><source>Neurology</source><year>2009</year><volume>72</volume><issue>23</issue><fpage>2056</fpage><lpage>2057</lpage>, author reply 2057</mixed-citation></ref><ref id="JR23060235-7"><label>7</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Folsom</surname><given-names>A R</given-names></name><name><surname>Lutsey</surname><given-names>P L</given-names></name><name><surname>Misialek</surname><given-names>J R</given-names></name><name><surname>Cushman</surname><given-names>M</given-names></name></person-group><article-title>A prospective study of migraine history and venous thromboembolism in older adults</article-title><source>Res Pract Thromb Haemost</source><year>2019</year><volume>3</volume><issue>03</issue><fpage>357</fpage><lpage>363</lpage><pub-id pub-id-type="pmid">31294322</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-8"><label>8</label><mixed-citation publication-type="journal"><collab>
|
||||
American College of Cardiology Cardiovascular Disease in Women Committee
|
||||
<sup>†</sup>
|
||||
</collab><collab>
|
||||
American College of Cardiology Cardiovascular Disease in Women Committee
|
||||
<sup>†</sup>
|
||||
</collab><person-group person-group-type="author"><name><surname>Elgendy</surname><given-names>I Y</given-names></name><name><surname>Nadeau</surname><given-names>S E</given-names></name><name><surname>Bairey Merz</surname><given-names>C N</given-names></name><name><surname>Pepine</surname><given-names>C J</given-names></name></person-group><article-title>Migraine headache: an under-appreciated risk factor for cardiovascular disease in women</article-title><source>J Am Heart Assoc</source><year>2019</year><volume>8</volume><issue>22</issue><fpage>e014546</fpage><pub-id pub-id-type="pmid">31707945</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-9"><label>9</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Emdin</surname><given-names>C A</given-names></name><name><surname>Khera</surname><given-names>A V</given-names></name><name><surname>Kathiresan</surname><given-names>S</given-names></name></person-group><article-title>Mendelian randomization</article-title><source>JAMA</source><year>2017</year><volume>318</volume><issue>19</issue><fpage>1925</fpage><lpage>1926</lpage><pub-id pub-id-type="pmid">29164242</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-10"><label>10</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Karlsson</surname><given-names>T</given-names></name><name><surname>Hadizadeh</surname><given-names>F</given-names></name><name><surname>Rask-Andersen</surname><given-names>M</given-names></name><name><surname>Johansson</surname><given-names>Å</given-names></name><name><surname>Ek</surname><given-names>W E</given-names></name></person-group><article-title>Body mass index and the risk of rheumatic disease: linear and nonlinear Mendelian randomization analyses</article-title><source>Arthritis Rheumatol</source><year>2023</year><volume>75</volume><issue>11</issue><fpage>2027</fpage><lpage>2035</lpage><pub-id pub-id-type="pmid">37219954</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-11"><label>11</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lawler</surname><given-names>T</given-names></name><name><surname>Warren Andersen</surname><given-names>S</given-names></name></person-group><article-title>Serum 25-hydroxyvitamin D and cancer risk: a systematic review of mendelian randomization studies</article-title><source>Nutrients</source><year>2023</year><volume>15</volume><issue>02</issue><fpage>422</fpage><pub-id pub-id-type="pmid">36678292</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-12"><label>12</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Burgess</surname><given-names>S</given-names></name><name><surname>Butterworth</surname><given-names>A S</given-names></name><name><surname>Thompson</surname><given-names>J R</given-names></name></person-group><article-title>Beyond Mendelian randomization: how to interpret evidence of shared genetic predictors</article-title><source>J Clin Epidemiol</source><year>2016</year><volume>69</volume><fpage>208</fpage><lpage>216</lpage><pub-id pub-id-type="pmid">26291580</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-13"><label>13</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sudlow</surname><given-names>C</given-names></name><name><surname>Gallacher</surname><given-names>J</given-names></name><name><surname>Allen</surname><given-names>N</given-names></name></person-group><etal/><article-title>UK biobank: an open access resource for identifying the causes of a wide range of complex diseases of middle and old age</article-title><source>PLoS Med</source><year>2015</year><volume>12</volume><issue>03</issue><fpage>e1001779</fpage><pub-id pub-id-type="pmid">25826379</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-14"><label>14</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lyon</surname><given-names>M S</given-names></name><name><surname>Andrews</surname><given-names>S J</given-names></name><name><surname>Elsworth</surname><given-names>B</given-names></name><name><surname>Gaunt</surname><given-names>T R</given-names></name><name><surname>Hemani</surname><given-names>G</given-names></name><name><surname>Marcora</surname><given-names>E</given-names></name></person-group><article-title>The variant call format provides efficient and robust storage of GWAS summary statistics</article-title><source>Genome Biol</source><year>2021</year><volume>22</volume><issue>01</issue><fpage>32</fpage><pub-id pub-id-type="pmid">33441155</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-15"><label>15</label><mixed-citation publication-type="journal"><collab>FinnGen </collab><person-group person-group-type="author"><name><surname>Kurki</surname><given-names>M I</given-names></name><name><surname>Karjalainen</surname><given-names>J</given-names></name><name><surname>Palta</surname><given-names>P</given-names></name></person-group><etal/><article-title>FinnGen provides genetic insights from a well-phenotyped isolated population</article-title><source>Nature</source><year>2023</year><volume>613</volume><issue>7944</issue><fpage>508</fpage><lpage>518</lpage><pub-id pub-id-type="pmid">36653562</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-16"><label>16</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sanderson</surname><given-names>E</given-names></name><name><surname>Glymour</surname><given-names>M M</given-names></name><name><surname>Holmes</surname><given-names>M V</given-names></name></person-group><etal/><article-title>Mendelian randomization</article-title><source>Nat Rev Methods Primers</source><year>2022</year><volume>2</volume><fpage>6</fpage><pub-id pub-id-type="pmid">37325194</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-17"><label>17</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Staley</surname><given-names>J R</given-names></name><name><surname>Blackshaw</surname><given-names>J</given-names></name><name><surname>Kamat</surname><given-names>M A</given-names></name></person-group><etal/><article-title>PhenoScanner: a database of human genotype-phenotype associations</article-title><source>Bioinformatics</source><year>2016</year><volume>32</volume><issue>20</issue><fpage>3207</fpage><lpage>3209</lpage><pub-id pub-id-type="pmid">27318201</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-18"><label>18</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kamat</surname><given-names>M A</given-names></name><name><surname>Blackshaw</surname><given-names>J A</given-names></name><name><surname>Young</surname><given-names>R</given-names></name></person-group><etal/><article-title>PhenoScanner V2: an expanded tool for searching human genotype-phenotype associations</article-title><source>Bioinformatics</source><year>2019</year><volume>35</volume><issue>22</issue><fpage>4851</fpage><lpage>4853</lpage><pub-id pub-id-type="pmid">31233103</pub-id>
|
||||
</mixed-citation></ref><ref id="BR23060235-19"><label>19</label><mixed-citation publication-type="book"><person-group person-group-type="author"><name><surname>Burgess</surname><given-names>S</given-names></name><name><surname>Thompson</surname><given-names>S G</given-names></name></person-group><article-title>Mendelian Randomization: Methods for Causal Inference Using Genetic Variants</article-title><publisher-loc>New York, NY</publisher-loc><publisher-name>CRC Press</publisher-name><year>2021</year></mixed-citation></ref><ref id="JR23060235-20"><label>20</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>May</surname><given-names>A</given-names></name><name><surname>Schulte</surname><given-names>L H</given-names></name></person-group><article-title>Chronic migraine: risk factors, mechanisms and treatment</article-title><source>Nat Rev Neurol</source><year>2016</year><volume>12</volume><issue>08</issue><fpage>455</fpage><lpage>464</lpage><pub-id pub-id-type="pmid">27389092</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-21"><label>21</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Dodick</surname><given-names>D W</given-names></name></person-group><article-title>Migraine</article-title><source>Lancet</source><year>2018</year><volume>391</volume>(10127):<fpage>1315</fpage><lpage>1330</lpage><pub-id pub-id-type="pmid">29523342</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-22"><label>22</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Khorana</surname><given-names>A A</given-names></name><name><surname>Mackman</surname><given-names>N</given-names></name><name><surname>Falanga</surname><given-names>A</given-names></name></person-group><etal/><article-title>Cancer-associated venous thromboembolism</article-title><source>Nat Rev Dis Primers</source><year>2022</year><volume>8</volume><issue>01</issue><fpage>11</fpage><pub-id pub-id-type="pmid">35177631</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-23"><label>23</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bell</surname><given-names>E J</given-names></name><name><surname>Folsom</surname><given-names>A R</given-names></name><name><surname>Lutsey</surname><given-names>P L</given-names></name></person-group><etal/><article-title>Diabetes mellitus and venous thromboembolism: a systematic review and meta-analysis</article-title><source>Diabetes Res Clin Pract</source><year>2016</year><volume>111</volume><fpage>10</fpage><lpage>18</lpage><pub-id pub-id-type="pmid">26612139</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-24"><label>24</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bhoelan</surname><given-names>S</given-names></name><name><surname>Borjas Howard</surname><given-names>J</given-names></name><name><surname>Tichelaar</surname><given-names>V</given-names></name></person-group><etal/><article-title>Recurrence risk of venous thromboembolism associated with systemic lupus erythematosus: a retrospective cohort study</article-title><source>Res Pract Thromb Haemost</source><year>2022</year><volume>6</volume><issue>08</issue><fpage>e12839</fpage><pub-id pub-id-type="pmid">36397932</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-25"><label>25</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Pengo</surname><given-names>V</given-names></name><name><surname>Denas</surname><given-names>G</given-names></name></person-group><article-title>Antiphospholipid syndrome in patients with venous thromboembolism</article-title><source>Semin Thromb Hemost</source><year>2023</year><volume>49</volume><issue>08</issue><fpage>833</fpage><lpage>839</lpage><pub-id pub-id-type="pmid">35728601</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-26"><label>26</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Maitrot-Mantelet</surname><given-names>L</given-names></name><name><surname>Horellou</surname><given-names>M H</given-names></name><name><surname>Massiou</surname><given-names>H</given-names></name><name><surname>Conard</surname><given-names>J</given-names></name><name><surname>Gompel</surname><given-names>A</given-names></name><name><surname>Plu-Bureau</surname><given-names>G</given-names></name></person-group><article-title>Should women suffering from migraine with aura be screened for biological thrombophilia?: results from a cross-sectional French study</article-title><source>Thromb Res</source><year>2014</year><volume>133</volume><issue>05</issue><fpage>714</fpage><lpage>718</lpage><pub-id pub-id-type="pmid">24530211</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-27"><label>27</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Tietjen</surname><given-names>G E</given-names></name><name><surname>Collins</surname><given-names>S A</given-names></name></person-group><article-title>Hypercoagulability and migraine</article-title><source>Headache</source><year>2018</year><volume>58</volume><issue>01</issue><fpage>173</fpage><lpage>183</lpage><pub-id pub-id-type="pmid">28181217</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-28"><label>28</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Schwaiger</surname><given-names>J</given-names></name><name><surname>Kiechl</surname><given-names>S</given-names></name><name><surname>Stockner</surname><given-names>H</given-names></name></person-group><etal/><article-title>Burden of atherosclerosis and risk of venous thromboembolism in patients with migraine</article-title><source>Neurology</source><year>2008</year><volume>71</volume><issue>12</issue><fpage>937</fpage><lpage>943</lpage><pub-id pub-id-type="pmid">18794497</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-29"><label>29</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bushnell</surname><given-names>C D</given-names></name><name><surname>Jamison</surname><given-names>M</given-names></name><name><surname>James</surname><given-names>A H</given-names></name></person-group><article-title>Migraines during pregnancy linked to stroke and vascular diseases: US population based case-control study</article-title><source>BMJ</source><year>2009</year><volume>338</volume><fpage>b664</fpage><pub-id pub-id-type="pmid">19278973</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-30"><label>30</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ding</surname><given-names>W Y</given-names></name><name><surname>Protty</surname><given-names>M B</given-names></name><name><surname>Davies</surname><given-names>I G</given-names></name><name><surname>Lip</surname><given-names>G YH</given-names></name></person-group><article-title>Relationship between lipoproteins, thrombosis, and atrial fibrillation</article-title><source>Cardiovasc Res</source><year>2022</year><volume>118</volume><issue>03</issue><fpage>716</fpage><lpage>731</lpage><pub-id pub-id-type="pmid">33483737</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-31"><label>31</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Gupta</surname><given-names>R M</given-names></name><name><surname>Hadaya</surname><given-names>J</given-names></name><name><surname>Trehan</surname><given-names>A</given-names></name></person-group><etal/><article-title>A genetic variant associated with five vascular diseases is a distal regulator of endothelin-1 gene expression</article-title><source>Cell</source><year>2017</year><volume>170</volume><issue>03</issue><fpage>522</fpage><lpage>5.33E17</lpage><pub-id pub-id-type="pmid">28753427</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-32"><label>32</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kumari</surname><given-names>B</given-names></name><name><surname>Prabhakar</surname><given-names>A</given-names></name><name><surname>Sahu</surname><given-names>A</given-names></name></person-group><etal/><article-title>Endothelin-1 gene polymorphism and its level predict the risk of venous thromboembolism in male indian population</article-title><source>Clin Appl Thromb Hemost</source><year>2017</year><volume>23</volume><issue>05</issue><fpage>429</fpage><lpage>437</lpage><pub-id pub-id-type="pmid">27481876</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-33"><label>33</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Zhang</surname><given-names>Y</given-names></name><name><surname>Liu</surname><given-names>J</given-names></name><name><surname>Jia</surname><given-names>W</given-names></name></person-group><etal/><article-title>AGEs/RAGE blockade downregulates Endothenin-1 (ET-1), mitigating Human Umbilical Vein Endothelial Cells (HUVEC) injury in deep vein thrombosis (DVT)</article-title><source>Bioengineered</source><year>2021</year><volume>12</volume><issue>01</issue><fpage>1360</fpage><lpage>1368</lpage><pub-id pub-id-type="pmid">33896376</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-34"><label>34</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Padilla</surname><given-names>J</given-names></name><name><surname>Carpenter</surname><given-names>A J</given-names></name><name><surname>Das</surname><given-names>N A</given-names></name></person-group><etal/><article-title>TRAF3IP2 mediates high glucose-induced endothelin-1 production as well as endothelin-1-induced inflammation in endothelial cells</article-title><source>Am J Physiol Heart Circ Physiol</source><year>2018</year><volume>314</volume><issue>01</issue><fpage>H52</fpage><lpage>H64</lpage><pub-id pub-id-type="pmid">28971844</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-35"><label>35</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Liu</surname><given-names>L</given-names></name><name><surname>Jouve</surname><given-names>C</given-names></name><name><surname>Sebastien Hulot</surname><given-names>J</given-names></name><name><surname>Georges</surname><given-names>A</given-names></name><name><surname>Bouatia-Naji</surname><given-names>N</given-names></name></person-group><article-title>Epigenetic regulation at LRP1 risk locus for cardiovascular diseases and assessment of cellular function in hiPSC derived smooth muscle cells</article-title><source>Cardiovasc Res</source><year>2022</year><volume>118</volume><issue>01</issue><fpage>cvac066.193</fpage></mixed-citation></ref><ref id="JR23060235-36"><label>36</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Vormittag</surname><given-names>R</given-names></name><name><surname>Bencur</surname><given-names>P</given-names></name><name><surname>Ay</surname><given-names>C</given-names></name></person-group><etal/><article-title>Low-density lipoprotein receptor-related protein 1 polymorphism 663 C > T affects clotting factor VIII activity and increases the risk of venous thromboembolism</article-title><source>J Thromb Haemost</source><year>2007</year><volume>5</volume><issue>03</issue><fpage>497</fpage><lpage>502</lpage><pub-id pub-id-type="pmid">17155964</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23060235-37"><label>37</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Chun</surname><given-names>H</given-names></name><name><surname>Kurasawa</surname><given-names>J H</given-names></name><name><surname>Olivares</surname><given-names>P</given-names></name></person-group><etal/><article-title>Characterization of interaction between blood coagulation factor VIII and LRP1 suggests dynamic binding by alternating complex contacts</article-title><source>J Thromb Haemost</source><year>2022</year><volume>20</volume><issue>10</issue><fpage>2255</fpage><lpage>2269</lpage><pub-id pub-id-type="pmid">35810466</pub-id>
|
||||
</mixed-citation></ref></ref-list></back></article>
|
586
tests/data/xml/10-1055-s-0043-1775965.nxml
Normal file
586
tests/data/xml/10-1055-s-0043-1775965.nxml
Normal file
@ -0,0 +1,586 @@
|
||||
<!DOCTYPE article
|
||||
PUBLIC "-//NLM//DTD JATS (Z39.96) Journal Archiving and Interchange DTD with MathML3 v1.3 20210610//EN" "JATS-archivearticle1-3-mathml3.dtd">
|
||||
<article xmlns:mml="http://www.w3.org/1998/Math/MathML" article-type="research-article" xml:lang="en" dtd-version="1.3"><?properties open_access?><processing-meta base-tagset="archiving" mathml-version="3.0" table-model="xhtml" tagset-family="jats"><restricted-by>pmc</restricted-by></processing-meta><front><journal-meta><journal-id journal-id-type="nlm-ta">Thromb Haemost</journal-id><journal-id journal-id-type="iso-abbrev">Thromb Haemost</journal-id><journal-id journal-id-type="doi">10.1055/s-00035024</journal-id><journal-title-group><journal-title>Thrombosis and Haemostasis</journal-title></journal-title-group><issn pub-type="ppub">0340-6245</issn><issn pub-type="epub">2567-689X</issn><publisher><publisher-name>Georg Thieme Verlag KG</publisher-name><publisher-loc>Rüdigerstraße 14, 70469 Stuttgart, Germany</publisher-loc></publisher></journal-meta>
|
||||
<article-meta><article-id pub-id-type="pmid">37846465</article-id><article-id pub-id-type="pmc">11518618</article-id>
|
||||
<article-id pub-id-type="doi">10.1055/s-0043-1775965</article-id><article-id pub-id-type="publisher-id">TH-22-08-0374</article-id><article-categories><subj-group><subject>Stroke, Systemic or Venous Thromboembolism</subject></subj-group></article-categories><title-group><article-title>Differential Effects of Erythropoietin Administration and Overexpression on Venous Thrombosis in Mice</article-title></title-group><contrib-group><contrib contrib-type="author"><contrib-id contrib-id-type="orcid">http://orcid.org/0000-0001-6555-6622</contrib-id><name><surname>Stockhausen</surname><given-names>Sven</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Kilani</surname><given-names>Badr</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Schubert</surname><given-names>Irene</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Steinsiek</surname><given-names>Anna-Lena</given-names></name><xref rid="AF22080374-4" ref-type="aff">4</xref></contrib><contrib contrib-type="author"><name><surname>Chandraratne</surname><given-names>Sue</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Wendler</surname><given-names>Franziska</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Eivers</surname><given-names>Luke</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>von Brühl</surname><given-names>Marie-Luise</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Massberg</surname><given-names>Steffen</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref></contrib><contrib contrib-type="author"><name><surname>Ott</surname><given-names>Ilka</given-names></name><xref rid="AF22080374-4" ref-type="aff">4</xref></contrib><contrib contrib-type="author"><name><surname>Stark</surname><given-names>Konstantin</given-names></name><xref rid="AF22080374-1" ref-type="aff">1</xref><xref rid="AF22080374-2" ref-type="aff">2</xref><xref rid="AF22080374-3" ref-type="aff">3</xref><xref rid="CO22080374-1" ref-type="author-notes"/></contrib></contrib-group><aff id="AF22080374-1"><label>1</label><institution>Medizinische Klinik und Poliklinik I, Klinikum der Universität München, Ludwig-Maximilians-Universität, Munich, Germany</institution></aff><aff id="AF22080374-2"><label>2</label><institution>German Center for Cardiovascular Research (DZHK), partner site Munich Heart Alliance, Munich, Germany</institution></aff><aff id="AF22080374-3"><label>3</label><institution>Walter-Brendel Center of Experimental Medicine, Ludwig-Maximilians-Universität, Munich, Germany</institution></aff><aff id="AF22080374-4"><label>4</label><institution>Department of cardiology, German Heart Center, Munich, Germany.</institution></aff><author-notes><corresp id="CO22080374-1"><bold>Address for correspondence </bold>Konstantin Stark <institution>Medizinische Klinik und Poliklinik I, Ludwig-Maximilians-University</institution><addr-line>Marchioninistr. 15, 81377 Munich</addr-line><country>Germany</country><email>Konstantin.stark@med.uni-muenchen.de</email></corresp></author-notes><pub-date pub-type="epub"><day>16</day><month>10</month><year>2023</year></pub-date><pub-date pub-type="collection"><month>11</month><year>2024</year></pub-date><pub-date pub-type="pmc-release"><day>1</day><month>10</month><year>2023</year></pub-date><volume>124</volume><issue>11</issue><fpage>1027</fpage><lpage>1039</lpage><history><date date-type="received"><day>17</day><month>9</month><year>2022</year></date><date date-type="accepted"><day>06</day><month>8</month><year>2023</year></date></history><permissions><copyright-statement>
|
||||
The Author(s). This is an open access article published by Thieme under the terms of the Creative Commons Attribution-NonDerivative-NonCommercial License, permitting copying and reproduction so long as the original work is given appropriate credit. Contents may not be used for commercial purposes, or adapted, remixed, transformed or built upon. (
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://creativecommons.org/licenses/by-nc-nd/4.0/">https://creativecommons.org/licenses/by-nc-nd/4.0/</uri>
|
||||
)
|
||||
</copyright-statement><copyright-year>2023</copyright-year><copyright-holder>The Author(s).</copyright-holder><license><ali:license_ref xmlns:ali="http://www.niso.org/schemas/ali/1.0/" specific-use="textmining" content-type="ccbyncndlicense">https://creativecommons.org/licenses/by-nc-nd/4.0/</ali:license_ref><license-p>This is an open-access article distributed under the terms of the Creative Commons Attribution-NonCommercial-NoDerivatives License, which permits unrestricted reproduction and distribution, for non-commercial purposes only; and use and reproduction, but not distribution, of adapted material for non-commercial purposes only, provided the original work is properly cited.</license-p></license></permissions><abstract abstract-type="graphical"><p><bold>Background</bold>
|
||||
 Deep vein thrombosis (DVT) is a common condition associated with significant mortality due to pulmonary embolism. Despite advanced prevention and anticoagulation therapy, the incidence of venous thromboembolism remains unchanged. Individuals with elevated hematocrit and/or excessively high erythropoietin (EPO) serum levels are particularly susceptible to DVT formation. We investigated the influence of short-term EPO administration compared to chronic EPO overproduction on DVT development. Additionally, we examined the role of the spleen in this context and assessed its impact on thrombus composition.
|
||||
</p><p><bold>Methods</bold>
|
||||
 We induced ligation of the caudal vena cava (VCC) in EPO-overproducing Tg(EPO) mice as well as wildtype mice treated with EPO for two weeks, both with and without splenectomy. The effect on platelet circulation time was evaluated through FACS analysis, and thrombus composition was analyzed using immunohistology.
|
||||
</p><p><bold>Results</bold>
|
||||
 We present evidence for an elevated thrombogenic phenotype resulting from chronic EPO overproduction, achieved by combining an EPO-overexpressing mouse model with experimental DVT induction. This increased thrombotic state is largely independent of traditional contributors to DVT, such as neutrophils and platelets. Notably, the pronounced prothrombotic effect of red blood cells (RBCs) only manifests during chronic EPO overproduction and is not influenced by splenic RBC clearance, as demonstrated by splenectomy. In contrast, short-term EPO treatment does not induce thrombogenesis in mice. Consequently, our findings support the existence of a differential thrombogenic effect between chronic enhanced erythropoiesis and exogenous EPO administration.
|
||||
</p><p><bold>Conclusion</bold>
|
||||
 Chronic EPO overproduction significantly increases the risk of DVT, while short-term EPO treatment does not. These findings underscore the importance of considering EPO-related factors in DVT risk assessment and potential therapeutic strategies.
|
||||
</p><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-toc.jpg"/></abstract><kwd-group><title>Keywords</title><kwd>deep vein thrombosis</kwd><kwd>red blood cells</kwd><kwd>spleen</kwd><kwd>erythropoietin</kwd><kwd>sterile inflammation</kwd><kwd>fibrin</kwd></kwd-group><funding-group><award-group><funding-source>Deutsche Forschungsgemeinschaft</funding-source><award-id>1123</award-id></award-group><award-group><funding-source>Deutsche Forschungsgemeinschaft</funding-source><award-id>914</award-id></award-group><award-group><funding-source>Deutsche Gesellschaft für Kardiologie-Herz und Kreislaufforschung</funding-source><award-id>DGK09/2020</award-id></award-group><award-group><funding-source>ERC starting grant</funding-source><award-id>947611</award-id></award-group><award-group><funding-source>Förderprogramm für Forschung und Lehre</funding-source><award-id>1123</award-id></award-group><funding-statement><bold>Funding</bold>
|
||||
This project is supported by the ERC starting grant T-MEMORE project 947611 (K.S.). This study was supported by the Deutsche Forschungsgemeinschaft through the collaborative research center 1123 project A07 (K.S., S.M.) and the collaborative research center 914 project B02 (K.S., S.M.). We thank for the support by the grant from the Deutsche Gesellschaft für Kardiologie project DGK09/2020 and the Förderprogramm für Forschung und Lehre (FöFoLe) project 1123 (S.S).
|
||||
</funding-statement></funding-group></article-meta></front><body><sec><title>Introduction</title><p>
|
||||
Red blood cells (RBCs) are the primary carriers oxygen and carbon dioxide in all mammals. Low hemoglobin concentrations in the blood can cause severe oxygen deficiency, leading to ischemia in organs and tissues. At the same time, numerous clinical observations identified elevated hemoglobin levels as an independent risk factor for deep vein thrombosis (DVT) formation. This applies to overproduction of RBCs due to erythropoietin (EPO) administration, as well as foreign blood transfusions.
|
||||
<xref rid="JR22080374-1" ref-type="bibr">1</xref>
|
||||
<xref rid="JR22080374-2" ref-type="bibr">2</xref>
|
||||
<xref rid="JR22080374-3" ref-type="bibr">3</xref>
|
||||
<xref rid="JR22080374-4" ref-type="bibr">4</xref>
|
||||
<xref rid="JR22080374-5" ref-type="bibr">5</xref>
|
||||
<xref rid="JR22080374-6" ref-type="bibr">6</xref>
|
||||
<xref rid="JR22080374-7" ref-type="bibr">7</xref>
|
||||
This is also evident in illnesses which exhibit an excessive RBC production such as polycythemia vera or Chuvash polycythemia where a significant increase in thromboembolic complications has been reported.
|
||||
<xref rid="JR22080374-8" ref-type="bibr">8</xref>
|
||||
<xref rid="JR22080374-9" ref-type="bibr">9</xref>
|
||||
In such cases, oral or parenteral anticoagulants are effective preventive measures. However, their use entails significant drawbacks in the form of elevated bleeding risks, which can lead to severe complications.
|
||||
<xref rid="JR22080374-10" ref-type="bibr">10</xref>
|
||||
Therefore, it is crucial to identify patients at risk and to expand our understanding of the pathophysiology to enable a more targeted prevention and treatment of DVT.
|
||||
</p><p>
|
||||
The mechanism of RBC-mediated DVT formation so far is not fully understood. Essentially, DVT formation is triggered by sterile inflammation.
|
||||
<xref rid="JR22080374-11" ref-type="bibr">11</xref>
|
||||
Neutrophils and monocytes deliver tissue factor (TF) to the site of thrombus formation creating a procoagulant environment.
|
||||
<xref rid="JR22080374-11" ref-type="bibr">11</xref>
|
||||
However, the contribution of leukocytes to DVT formation may vary depending on the underlying disease and a leukocyte-recruiting property of RBCs in DVT has not been conclusively proven.
|
||||
</p><p>
|
||||
In this project we used a transgenic mouse model overexpressing the human EPO gene in an oxygen-independent manner. In these mice the hematocrit is chronically elevated, which leads to several changes. RBCs represent, volumetrically, the largest cellular component in the peripheral blood, thus influencing the viscosity of the blood, fostering cardiovascular events like stroke or ischemic heart disease.
|
||||
<xref rid="JR22080374-12" ref-type="bibr">12</xref>
|
||||
RBCs from Tg(EPO) mice show increased flexibility which in turn reduces the viscosity, and protects from thrombus formation.
|
||||
<xref rid="JR22080374-13" ref-type="bibr">13</xref>
|
||||
Additionally, excessive NO production has been described. In Tg(EPO) mice, the vasodilative effect of extensive NO release is partly compensated by endothelin.
|
||||
<xref rid="JR22080374-14" ref-type="bibr">14</xref>
|
||||
A reduced lifespan of RBCs was also identified in this mouse strain.
|
||||
<xref rid="JR22080374-15" ref-type="bibr">15</xref>
|
||||
</p><p>
|
||||
The spleen is responsible for RBC clearance, which acts as gatekeeper of the state, age, and number of RBCs.
|
||||
<xref rid="JR22080374-16" ref-type="bibr">16</xref>
|
||||
The loss of function of the spleen, due to removal, leads to changes in the blood count, the most striking of which is the transient thrombocytosis observed after splenectomy.
|
||||
<xref rid="JR22080374-17" ref-type="bibr">17</xref>
|
||||
Even though the platelet count normalizes within weeks, the risk of thromboembolism remains persistently high; however, the mechanism behind this prothrombotic state is unclear.
|
||||
<xref rid="JR22080374-18" ref-type="bibr">18</xref>
|
||||
<xref rid="JR22080374-19" ref-type="bibr">19</xref>
|
||||
<xref rid="JR22080374-20" ref-type="bibr">20</xref>
|
||||
Previous studies reveal an increase in platelet- and (to a lesser extent) RBC-derived microvesicles in splenectomized patients, which could indicate changes in their life cycle or activation state.
|
||||
<xref rid="JR22080374-21" ref-type="bibr">21</xref>
|
||||
At the same time, the levels of negatively charged prothrombotic phospholipids, like phosphatidylserine, in pulmonary embolism increase after splenectomy.
|
||||
<xref rid="JR22080374-22" ref-type="bibr">22</xref>
|
||||
<xref rid="JR22080374-23" ref-type="bibr">23</xref>
|
||||
<xref rid="JR22080374-24" ref-type="bibr">24</xref>
|
||||
Among others, RBCs can contribute to phosphatidylserine exposure.
|
||||
<xref rid="JR22080374-25" ref-type="bibr">25</xref>
|
||||
Old, rigid RBCs with modified phospholipid exposure promote thrombus formation; however, their relevance for DVT in vivo remains unclear.
|
||||
<xref rid="JR22080374-20" ref-type="bibr">20</xref>
|
||||
<xref rid="JR22080374-25" ref-type="bibr">25</xref>
|
||||
<xref rid="JR22080374-26" ref-type="bibr">26</xref>
|
||||
</p><p>
|
||||
In this study, we investigated the effect
|
||||
<bold>s</bold>
|
||||
of short-term EPO administration compared to chronic intrinsic EPO overproduction and the interference with RBC clearance on experimental venous thrombosis. We found that chronic intrinsic EPO overproduction resulted in excessive venous thrombosis. In this setting, platelets and leukocytes were reduced in thrombi, while RBC accumulation was markedly increased. In contrast, short-term EPO administration had no effect on DVT. Interference with RBC clearance by splenectomy had no effect on DVT, either in cases of chronic EPO overproduction or in wild-type (WT) mice. In summary, our data indicate that only long-term and excessively increased EPO levels affect DVT formation in mice, independent of splenic clearance of RBCs.
|
||||
</p></sec><sec><title>Methods</title><sec><title>Mouse Model</title><p>
|
||||
C57BL/6 mice were obtained from Jackson Laboratory. Human EPO-overexpressing mice were generated as previously described.
|
||||
<xref rid="JR22080374-14" ref-type="bibr">14</xref>
|
||||
TgN(PDGFBEPO)321Zbz consists of a transgenic mouse line, TgN(PDGFBEPO)321Zbz, expresses human EPO cDNA, and was initially reported by Ruschitzka et al,
|
||||
<xref rid="JR22080374-14" ref-type="bibr">14</xref>
|
||||
subsequently named Tg(EPO). The expression is regulated by the platelet-derived growth factor promotor. We used the corresponding WT littermate controls named as WT.
|
||||
<xref rid="JR22080374-27" ref-type="bibr">27</xref>
|
||||
Sex- and age-matched groups were used for the experiments with an age limit ranging between 12 and 29 weeks. The mice were housed in a specific-pathogen-free environment in our animal facility. General anesthesia was induced using a mixture of inhaled isoflurane, intravenous fentanyl, medetomidine, and midazolam. All procedures performed on mice were conducted in accordance with local legislation for the protection of animals (Regierung von Oberbayern, Munich) and were authorized accordingly.
|
||||
</p></sec><sec><title>Stenosis of the Inferior Vena Cava</title><p>The operation was carried out under general anesthesia. The procedure involved median laparotomy to access the inferior vena cava (IVC). A suture was placed around the IVC and ligated below the renal vein. To prevent complete stasis, a placeholder with a diameter of about 0.5 mm was inserted into the loop and subsequently removed after tightening. Side branches of the IVC were not ligated. As result, intravascular flow reduction occurred, ultimately leading to thrombus formation. Thrombus quantification was conducted by removing the IVC (segment between the renal vein and the confluence of the common iliac veins). The incidence and weight of the thrombus were documented.</p></sec><sec><title>Acute and Chronic EPO Experiments</title><p>To analyze the effect of short-term EPO administration on DVT formation, we subcutaneously (s.c.) injected 300 IU (10 IU/µL) EPO (Epoetin alfa HEXAL) three times a week into the gluteal region of C57Bl/6J mice purchased from the Jackson Laboratory. The injections were carried out for a duration of 2 weeks resulting in a total of six EPO treatments. After the completion of the 2-week EPO administration, there was a gap of 2 days before ligating the IVC. The ligation procedure was performed when the mice were 18 weeks old. The control group consisted of age- and sex-matched mice that received the same volume (30 µL) of a 0.9% NaCl solution per dosage.</p></sec><sec><title>Ultrasound Analysis of Myocardial Performance</title><p>The cardiac ultrasound analysis was conducted using a Vevo 2100 Imaging System (Visualsonics). To ensure sufficient tolerance during the investigation, short-term inhalation anesthesia (Isofluran CP, cp pharma) was administered during the investigation. Subsequently, the mice were then positioned on their back, and transthoracic echocardiography was performed.</p></sec><sec><title>Intracardial Blood Withdrawal</title><p>Blood was collected from adequately anesthesized mice through cardiac puncture using a syringe containing citrate as an anticoagulant.</p></sec><sec><title>Blood Cell Counts</title><p>Blood cell counts were determined in citrated blood using an automated cell counter (ABX Micros ES60, Horiba ABX).</p></sec><sec><title>Splenectomy</title><p>To remove the spleen, the mice were anesthetized as previously described. A lateral subcostal incision was made, followed by ligation and cutting of the splenic vessels. Subsequently, the spleen was removed and the surgical wound was closed with sutures. The organ removal procedure was performed 5 weeks prior to subsequent experiments, such as ligation of the IVC.</p></sec><sec><title>Immunofluorescence Staining of Frozen Sections</title><p>After harvesting thrombi, the organic material was embedded in OCT, rapidly frozen in liquid nitrogen, and stored at −80°C. Subsequently, 5 µm slides were sectioned using a cryotome (CryoStar NX70 Kryostat, Thermo Fisher Scientific). The staining procedure began with a fixation step using 4% ethanol-free formaldehyde (Thermo Fisher; #28908), followed by blocking with goat serum (Thermo Fisher; #50062Z). The following antibodies were used: CD41 (clone: MWReg30, BD Bioscience; #12-0411-83; isotype: rat IgG1), Fibrin(-ogen) (clone: polyclonal; DAKO; #A0080; isotype: rabbit IgG), Ly6G (clone: 1A8, Thermo Fisher; #12-9668-82; isotype: rat IgG2a), MPO (polyclonal, Dako; #A0398; isotype: rabbit IgG), TER119 (clone: TER-119; Thermo Fisher; #12-5921-83; isotype: rat IgG2b). Alexa-labeled secondary antibodies were used to induce fluorescence (Invitrogen; #A11007; #A11034). Nuclei were marked using Hoechst (ThermoFisher; #H3570). Image acquisition was performed on an AxioImager M2 (Carl Zeiss Microscopy) using corresponding AxioVision SE65 software. Near-field analysis of fibrin fibers was captured on an inverted Zeiss LSM 880 confocal microscope in AiryScan Super Resolution (SR) Mode (magnification, ×63 objective, with 5 to 6 random images acquired per thrombus). Further structural analysis of the fibrin fibers was conducted using Imaris (Oxford instruments). To quantify neutrophil extracellular traps, we identified DNA protrusions (Hoechst-positive) originating from Ly6G-positive cells and covered by MPO.</p></sec><sec><title>Statistics</title><p>
|
||||
Statistical analysis was conducted using GraphPad Prism 5, employing a
|
||||
<italic>t</italic>
|
||||
-test. Based on clinical observations strongly suggesting an increase in thrombus formation in EPO overproducing mice, a one-sided
|
||||
<italic>t</italic>
|
||||
-test was performed.
|
||||
<xref rid="JR22080374-8" ref-type="bibr">8</xref>
|
||||
<xref rid="JR22080374-9" ref-type="bibr">9</xref>
|
||||
The normal distribution of the data was confirmed using D'Agostino and Pearson omnibus normality testing. Thrombus incidences between groups were compared using the chi-square test.
|
||||
</p></sec></sec><sec><title>Results</title><sec><title>Chronic EPO Overproduction Leads to Increased DVT in Mice</title><p>
|
||||
To investigate the impact of chronic erythrocyte overproduction on DVT in mice, we analyzed EPO-overexpressing transgenic Tg(EPO) mice. As expected, this mouse strain exhibited a substantial increase in RBC count (
|
||||
<xref rid="FI22080374-1" ref-type="fig">Fig. 1A</xref>
|
||||
). Additionally, the RBC width coefficient and reticulocyte count were elevated, indicating enhanced RBC production (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1A, B</xref>
|
||||
[available in the online version]). In addition to influencing the RBC lineage, our analyses revealed a significant increase in white blood cell (WBC) count, primarily driven by elevated lymphocyte count (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1C, E</xref>
|
||||
[available in the online version]). However, neutrophils known as major contributors to venous thrombosis showed no significant changes in EPO transgenic mice, while platelet counts were significantly reduced (
|
||||
<xref rid="FI22080374-1" ref-type="fig">Fig. 1B</xref>
|
||||
and
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1D</xref>
|
||||
[available in the online version]). Furthermore, autopsies of the animals confirmed the presence of splenomegaly (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1F</xref>
|
||||
[available in the online version]).
|
||||
<xref rid="JR22080374-28" ref-type="bibr">28</xref>
|
||||
<xref rid="JR22080374-29" ref-type="bibr">29</xref>
|
||||
</p><fig id="FI22080374-1"><label>Fig. 1</label><caption><p>
|
||||
EPO-overexpressing mice experience an increased incidence of DVT formation. (
|
||||
<bold>A</bold>
|
||||
) Comparison of RBC count between EPO-overexpressing Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 12) and control (WT) mice (
|
||||
<italic>n</italic>
|
||||
 = 13). (
|
||||
<bold>B</bold>
|
||||
) Comparison of platelet count between EPO-overexpressing Tg(EPO) (
|
||||
<italic>n</italic>
|
||||
 = 7) mice and control (WT) mice (
|
||||
<italic>n</italic>
|
||||
 = 5). (
|
||||
<bold>C</bold>
|
||||
) Comparison of thrombus weight between Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 9) and WT (
|
||||
<italic>n</italic>
|
||||
 = 10); mean age in the Tg(EPO) group: 19.8 weeks; mean age in the WT group: 20.1 weeks. (
|
||||
<bold>D</bold>
|
||||
) Comparison of thrombus incidence between Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 9) and WT mice (
|
||||
<italic>n</italic>
|
||||
 = 10); NS = nonsignificant, *
|
||||
<italic>p</italic>
|
||||
 < 0.05, **
|
||||
<italic>p</italic>
|
||||
 < 0.01, ***
|
||||
<italic>p</italic>
|
||||
 < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; RBC, red blood cell; WT, wild type.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-1"/></fig><p>
|
||||
Based on clinical observations indicating a correlation between high EPO levels and increased incidence of DVT, we utilized an IVC stenosis model to evaluate venous thrombosis in EPO-overexpressing mice.
|
||||
<xref rid="JR22080374-6" ref-type="bibr">6</xref>
|
||||
<xref rid="JR22080374-7" ref-type="bibr">7</xref>
|
||||
Our findings revealed a significant elevation in both the incidence and thrombus weight in Tg(EPO) mice compared to their WT littermates (
|
||||
<xref rid="FI22080374-1" ref-type="fig">Fig. 1C, D</xref>
|
||||
). To determine whether chronic EPO overproduction in transgenic mice affected cardiac function, we assessed parameters such as the left ventricular ejection fraction, fractional shortening, and heart rate, ruling out any alternations (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1G, H, J</xref>
|
||||
[available in the online version]), which aligns with previous publications.
|
||||
<xref rid="JR22080374-30" ref-type="bibr">30</xref>
|
||||
Additionally, morphological parameters including left ventricular mass, left ventricular internal diameter end diastole, and inner ventricular end diastolic septum diameter were similar between Tg(EPO) and WT mice (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1I, K, L</xref>
|
||||
[available in the online version]).
|
||||
</p></sec><sec><title>High RBC Count Leads to a Decrease in Platelet Accumulation in Venous Thrombosis</title><p>
|
||||
Having observed a correlation between high EPO and hematocrit levels with increased thrombus formation, our aim was to investigate the factors involved in triggering thrombus development through histologic analysis of thrombus composition. In Tg(EPO) mice, the elevated hematocrit levels led to enhanced RBC accumulation within the thrombus, as indicated by the Ter119-covered area measurement (
|
||||
<xref rid="FI22080374-2" ref-type="fig">Fig. 2A</xref>
|
||||
). Given the interaction between RBCs and platelets, which can initiate coagulation activation, we examined the distribution of fibrinogen in relation to RBCs and platelets within the thrombi.
|
||||
<xref rid="JR22080374-31" ref-type="bibr">31</xref>
|
||||
Our findings revealed a close association between the fibrinogen signal and RBCs, as well as between the platelet signal and RBCs, indicating interactions among these three factors (
|
||||
<xref rid="FI22080374-2" ref-type="fig">Fig. 2E, F</xref>
|
||||
). However, we observed significantly lower fibrinogen coverage in thrombi from EPO transgenic mice (
|
||||
<xref rid="FI22080374-2" ref-type="fig">Fig. 2B</xref>
|
||||
). Furthermore, the structure of the fibrin meshwork exhibited an overall “looser” morphology with significantly thinner fibrin fibers (
|
||||
<xref rid="FI22080374-3" ref-type="fig">Fig. 3A-C</xref>
|
||||
).
|
||||
</p><fig id="FI22080374-2"><label>Fig. 2</label><caption><p>
|
||||
Chronic overproduction of EPO in mice leads to a decrease in the accumulation of classical drivers of DVT formation, including platelets, neutrophils, and fibrinogen. (
|
||||
<bold>A</bold>
|
||||
) The proportion of RBC-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 4) was compared to control (WT) (
|
||||
<italic>n</italic>
|
||||
 = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (
|
||||
<bold>B</bold>
|
||||
) The proportion of fibrinogen-covered area in the thrombi of EPO- overexpressing Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 3) was compared to control (WT) (
|
||||
<italic>n</italic>
|
||||
 = 3) using immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (
|
||||
<bold>C</bold>
|
||||
) The proportion of platelet-covered area in the thrombi of EPO-overexpressing Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 3) was compared to control (WT) (
|
||||
<italic>n</italic>
|
||||
 = 3) by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction. (
|
||||
<bold>D</bold>
|
||||
) Quantification of neutrophils was performed by immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction in EPO-overexpressing Tg(EPO) mice (
|
||||
<italic>n</italic>
|
||||
 = 3) compared to control (WT) (
|
||||
<italic>n</italic>
|
||||
 = 3). (
|
||||
<bold>E</bold>
|
||||
) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), CD42b in green (platelets), and Hoechst in blue (DNA). The merged image is on the left, and the single channel image is on the right. Scale bar: 50 µm. (
|
||||
<bold>F</bold>
|
||||
) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (top) was compared to control (WT) (bottom) for TER119 in red (RBC), fibrinogen in green, and Hoechst in blue (DNA); the merged image is on the left, and single-channel images are on the right. Scale bar: 50 µm.; NS = nonsignificant, *
|
||||
<italic>p</italic>
|
||||
 < 0.05, **
|
||||
<italic>p</italic>
|
||||
 < 0.01, ***
|
||||
<italic>p</italic>
|
||||
 < 0.001. DVT, deep vein thrombosis; EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-2"/></fig><fig id="FI22080374-3"><label>Fig. 3</label><caption><p>
|
||||
The interaction of RBC with fibrinogen leads to the formation of a branched fibrin structure. (
|
||||
<bold>A</bold>
|
||||
) Immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) was compared to control (WT) for fibrinogen (green). Scare bar: 50 µm. (
|
||||
<bold>B</bold>
|
||||
) High-resolution confocal images of immunofluorescence staining of cross-sections of the IVC 48 hours after flow reduction from EPO-overexpressing Tg(EPO) mice (left) compared to control (WT) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. (
|
||||
<bold>C</bold>
|
||||
) The mean diameter of 2,141 fibrin fibers was measured in cross-sections of thrombi from Tg(EPO) mice (left), and compared to 5,238 fibrin fibers of WT thrombi. (
|
||||
<bold>D</bold>
|
||||
) The mean diameter of 3,797 fibrin fibers was measured in two cross-sections of thrombi from 2-week EPO-injected mice (left), and compared to 10,920 fibrin fibers of three cross-sections from control (2-week NaCl-injected mice). (
|
||||
<bold>E</bold>
|
||||
) High
|
||||
<bold>-</bold>
|
||||
resolution confocal images of immunofluorescence staining of two cross-sections of the IVC 48 hours after flow reduction from 2-week EPO-injected mice (left) were compared to control (2 week NaCl-injected mice) for fibrinogen (green), RBC (red), and DNA (blue). Scale bar: 2 µm. EPO, erythropoietin; IVC, inferior vena cava; RBC, red blood cell; WT, wild type.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-3"/></fig><p>
|
||||
To quantify platelet accumulation in thrombi, we analyzed the CD41-covered area in thrombi of both mouse strains. Consistent with the reduced platelet count in peripheral blood, platelet accumulation was also decreased in thrombi from EPO transgenic mice (
|
||||
<xref rid="FI22080374-2" ref-type="fig">Fig. 2C</xref>
|
||||
).
|
||||
</p><p>
|
||||
As mentioned previously, inflammation plays a fundamental role in DVT formation. Therefore, we conducted an analysis to quantify the presence of leukocytes in the thrombus material. Our investigation focused specifically on neutrophils, as they represent the predominant leukocyte population in peripheral blood. Despite observing normal neutrophil counts, we identified a significant reduction in neutrophil recruitment within thrombi from EPO transgenic mice (
|
||||
<xref rid="FI22080374-2" ref-type="fig">Fig. 2D</xref>
|
||||
). In summary, our findings indicate an isolated increase in the number of RBCs within venous thrombi of EPO transgenic mice, while the levels of fibrinogen and platelets were decreased.
|
||||
</p></sec><sec><title>Short-Term Administration of EPO Does Not Foster DVT</title><p>
|
||||
Due to the significant impact of chronic EPO overproduction in Tg(EPO) mice on peripheral blood count and its detrimental consequences on DVT formation, we proceeded to analyze the effects of 2-week periodic EPO injections on blood count and subsequent DVT formation in WT mice. Within just 2 weeks, a significant increase of RBC and reticulocyte count in peripheral blood was observed (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4A</xref>
|
||||
and
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S2A</xref>
|
||||
[available in the online version]). Conversely, platelet count exhibited a notable decrease in EPO-treated mice (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4B</xref>
|
||||
). Unlike EPO-overexpressing mice, the leukocyte counts and their differentiation into granulocytes, lymphocytes, and monocytes showed no differences between EPO-treated and nontreated mice (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S2B–E</xref>
|
||||
[available in the online version]). Autopsy analyses further revealed a significant enlargement and weight increase of the spleen in EPO-treated mice (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S2F, G</xref>
|
||||
[available in the online version]).
|
||||
</p><fig id="FI22080374-4"><label>Fig. 4</label><caption><p>
|
||||
Two-week EPO injection leads to thrombocytopenia without an impact on the bone marrow. (
|
||||
<bold>A</bold>
|
||||
) RBC count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 10) was compared to control (6 × 30 µL NaCl injection) (
|
||||
<italic>n</italic>
|
||||
 = 9). (
|
||||
<bold>B</bold>
|
||||
) Platelet count in peripheral blood after 6 × 300 IU EPO treatment of C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 10) was compared to control (6 × 30 µL NaCl injection) (
|
||||
<italic>n</italic>
|
||||
 = 10). (
|
||||
<bold>C</bold>
|
||||
) Area of RBC-positive area in the bone marrow of 6 × 300 IU EPO
|
||||
<bold>-</bold>
|
||||
treated C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 4) was compared to control (6 × 30 µL NaCl injection) (
|
||||
<italic>n</italic>
|
||||
 = 4). (
|
||||
<bold>D</bold>
|
||||
) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) was compared to NaCl injection (bottom) stained for TER119 (violet) and Hoechst (white). Scale bar: 100 µm. (
|
||||
<bold>E</bold>
|
||||
) Number of megakaryocyte count in the bone marrow of 6 × 300 IU EPO-treated C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 4) was compared to control (6 × 30 µL NaCl injection) (
|
||||
<italic>n</italic>
|
||||
 = 4). (
|
||||
<bold>F</bold>
|
||||
) Immunofluorescence staining of cross-sections of the bone marrow after 2-week EPO injection (top) compared to NaCl injection (bottom) stained for CD41 (violet) and Hoechst (white). Scale bar: 100 µm. (
|
||||
<bold>G</bold>
|
||||
) Platelet large cell ratio in peripheral blood of 6 × 300 IU EPO
|
||||
<bold>-</bold>
|
||||
treated C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 10) compared to control (6 × 30 µL NaCl injection) (
|
||||
<italic>n</italic>
|
||||
 = 9). (
|
||||
<bold>H</bold>
|
||||
) Thrombus weight of 6 × 300 IU EPO
|
||||
<bold>-</bold>
|
||||
treated C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 10) and NaCl-injected control mice (
|
||||
<italic>n</italic>
|
||||
 = 10). (
|
||||
<bold>I</bold>
|
||||
) Thrombus incidence of 6 × 300 IU EPO-treated C57Bl/6J mice (
|
||||
<italic>n</italic>
|
||||
 = 10) and NaCl-injected control mice (
|
||||
<italic>n</italic>
|
||||
 = 10). NS = nonsignificant, *
|
||||
<italic>p</italic>
|
||||
 < 0.05, **
|
||||
<italic>p</italic>
|
||||
 < 0.01, ***
|
||||
<italic>p</italic>
|
||||
 < 0.001. EPO, erythropoietin; RBC, red blood cell.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-4"/></fig><p>
|
||||
To further investigate the underlying cause of thrombocytopenia in EPO-treated mice, we examined the bone marrow composition. Previous studies by Shibata et al demonstrated a reduction in megakaryocytes in Tg(EPO) mice.
|
||||
<xref rid="JR22080374-32" ref-type="bibr">32</xref>
|
||||
Therefore, we analyzed the bone marrow composition after 2 weeks of EPO treatment. However, we found no difference in the TER119-covered area, indicating no significant alternation (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4C, D</xref>
|
||||
). Similarly, the megakaryocyte count in the bone marrow showed no changes compared to the control group (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4E, F</xref>
|
||||
,). In terms of platelet morphology, we observed an increased platelet large cell ratio in the EPO-treated group (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4G</xref>
|
||||
). This suggests an elevated production potential of megakaryocytes, as immature platelets tend to have larger cell volumes compared to mature platelets.
|
||||
<xref rid="JR22080374-33" ref-type="bibr">33</xref>
|
||||
These findings indicate that our EPO administration protocol enhanced the synthesis capacity of bone marrow stem cells, resulting in augmented erythropoiesis. However, the cellular composition of the bone marrow remained unchanged after 2 weeks of treatment.
|
||||
</p><p>
|
||||
To analyze the impact of 2-week EPO treatment on DVT formation, we utilized the IVC stenosis model. Despite similar changes in blood count in Tg(EPO) mice or WT mice after EPO administration, we observed comparable venous thrombus formation between mice treated with EPO for 2 weeks and the control group treated with NaCl (
|
||||
<xref rid="FI22080374-4" ref-type="fig">Fig. 4H, I</xref>
|
||||
). Since we previously observed that only long-term elevation of EPO levels with supraphysiologic hematocrit leads to increased thrombus formation, our focus shifted toward identifying the factors triggering thrombus formation. Therefore, we conducted a histological analysis of thrombus composition. Given the significantly thinner fibrin fibers observed in thrombi from Tg(EPO) mice, we investigated whether similar morphological changes occurred in mice treated with EPO for 2 weeks. Interestingly, the histological examination of the thrombi revealed a comparable thinning of fibrin fibers following EPO treatment (
|
||||
<xref rid="FI22080374-3" ref-type="fig">Fig. 3D, E</xref>
|
||||
).
|
||||
</p><p>In contrast to chronic EPO overproduction in Tg(EPO) mice, short-term administration of EPO does not increase the incidence of DVT, despite similar changes in blood cell counts. Therefore, the quantitative changes in blood count alone cannot explain the increased thrombosis observed in the presence of EPO overexpression in Tg(EPO) mice.</p></sec><sec><title>Splenectomy Does Not Affect Venous Thrombus Formation</title><p>
|
||||
As the data suggested a qualitative change in RBCs in the context of EPO overproduction, we investigated whether splenic clearance of aged RBCs plays a critical role in the increased formation of DVT. In the spleen, aged and damaged RBCs are eliminated, ensuring the presence of young and flexible RBCs.
|
||||
<xref rid="JR22080374-16" ref-type="bibr">16</xref>
|
||||
We examined the immediate impact of EPO on spleen morphology. Even a single injection of 300 IU EPO s.c. in mice resulted in a significant increase in spleen weight, despite no difference in blood count compared to the control group (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S2F–H</xref>
|
||||
[available in the online version]). This striking phenotype was also observed in mice with chronic EPO overexpression (
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S1F</xref>
|
||||
[available in the online version]).
|
||||
<xref rid="JR22080374-13" ref-type="bibr">13</xref>
|
||||
</p><p>
|
||||
To investigate the role of splenic RBC clearance in DVT, we performed splenectomy 5 weeks prior to conducting the IVC stenosis model. Firstly, we analyzed the impact of splenectomy on blood cell counts in WT mice 5 weeks postsurgery. We observed an increase in granulocytes and lymphocytes after splenectomy (
|
||||
<xref rid="FI22080374-5" ref-type="fig">Fig. 5A</xref>
|
||||
and
|
||||
<xref rid="SM22080374-1" ref-type="supplementary-material">Supplementary Fig. S3A, B</xref>
|
||||
[available in the online version]). Next, we examined the distribution of blood cells in response to DVT development. Similar to nonsplenectomized mice, we observed an increase in WBC count in the peripheral blood (
|
||||
<xref rid="FI22080374-5" ref-type="fig">Fig. 5A</xref>
|
||||
). Additionally, we noted a significant decrease in platelet count in splenectomized mice in response to thrombus development (
|
||||
<xref rid="FI22080374-5" ref-type="fig">Fig. 5B</xref>
|
||||
), which is consistent with the results obtained from nonsplenectomized mice.
|
||||
</p><fig id="FI22080374-5"><label>Fig. 5</label><caption><p>
|
||||
Splenectomy does not affect the blood count as well as DVT formation. (
|
||||
<bold>A</bold>
|
||||
) WBC count in C57Bl/6J mice without treatment (
|
||||
<italic>n</italic>
|
||||
 = 5), 48 hours after induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 7), 5 weeks after splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 9). (
|
||||
<bold>B</bold>
|
||||
) Platelet count in C57Bl/6J mice without treatment (
|
||||
<italic>n</italic>
|
||||
 = 6), 48 hours after induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 6), 5 weeks after splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 9). (
|
||||
<bold>C</bold>
|
||||
) RBC count in C57Bl/6J mice without treatment (
|
||||
<italic>n</italic>
|
||||
 = 6), 48 hours after induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 6), 5 weeks after splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 3), and 5 weeks after splenectomy with an additional 48-hour induction of DVT (
|
||||
<italic>n</italic>
|
||||
 = 9). (
|
||||
<bold>D</bold>
|
||||
) Thrombus weight in C57Bl6 wild-type mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6) (
|
||||
<bold>E</bold>
|
||||
) Thrombus incidence in C57Bl/6J wild-type mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6). (
|
||||
<bold>F</bold>
|
||||
) Thrombus weight in EPO-overexpressing Tg(EPO) mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 9) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6) compared to control WT mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 10) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 11). (
|
||||
<bold>G</bold>
|
||||
) Thrombus incidence in EPO-overexpressing Tg(EPO) mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 9) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 6) compared to control WT mice without splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 10) and with splenectomy (
|
||||
<italic>n</italic>
|
||||
 = 11). NS = nonsignificant, *
|
||||
<italic>p</italic>
|
||||
 < 0.05, **
|
||||
<italic>p</italic>
|
||||
 < 0.01, ***
|
||||
<italic>p</italic>
|
||||
 < 0.001. DVT, deep vein thrombosis; RBC, red blood cell; WT, wild type.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-i22080374-5"/></fig><p>
|
||||
Finally, we analyzed the impact of splenectomy on DVT formation in both WT mice and Tg(EPO) mice. Despite changes in blood cell counts and the effects on platelet removal, there was no difference in the incidence and thrombus weight in C57Bl/6 mice (
|
||||
<xref rid="FI22080374-5" ref-type="fig">Fig. 5D, E</xref>
|
||||
). Next, we examined EPO-overexpressing mice, which have been shown to have an increased risk of DVT formation. Despite significant splenomegaly, the incidence of DVT formation remained statistically unchanged after spleen removal (
|
||||
<xref rid="FI22080374-5" ref-type="fig">Fig. 5F, G</xref>
|
||||
). Therefore, splenectomy does not affect thrombus formation in the context of enhanced or normal erythropoiesis.
|
||||
</p></sec></sec><sec><title>Discussion</title><p>
|
||||
Here, we present evidence for a differential thrombotic effect of chronic EPO overproduction and short-term external EPO administration. Consistent with clinical observations, chronic overproduction of EPO is associated with an increased risk of DVT formation. This is similar to Chuvash polycythemia where the von-Hippel–Lindau mutation leads to chronic overproduction of hypoxia-induced factors and high EPO levels.
|
||||
<xref rid="JR22080374-34" ref-type="bibr">34</xref>
|
||||
In addition to genetically altered EPO production, factors such as residence at high altitudes and naturally increasing EPO secretion also represent risk factors for venous thrombosis and pulmonary thromboembolism.
|
||||
<xref rid="JR22080374-35" ref-type="bibr">35</xref>
|
||||
<xref rid="JR22080374-36" ref-type="bibr">36</xref>
|
||||
These conditions can be mimicked in a mouse model through chronic hypoxia.
|
||||
<xref rid="JR22080374-37" ref-type="bibr">37</xref>
|
||||
</p><p>Therefore, it is highly probable that EPO and RBC play significant roles in DVT formation. In fact, our data suggest that qualitative changes in RBC, rather than solely quantitative changes, are responsible for the increased occurrence of venous thrombus formation.</p><p>
|
||||
In our analyses, we observed that short-term administration of EPO does not increase the risk of DVT, in contrast to chronic overproduction of EPO. However, changes in peripheral blood count in response to EPO occur relatively quickly, within 2 weeks of initiating therapy in mice. These changes include elevated levels of hemoglobin and thrombocytopenia, which are consistent with previous studies.
|
||||
<xref rid="JR22080374-17" ref-type="bibr">17</xref>
|
||||
<xref rid="JR22080374-22" ref-type="bibr">22</xref>
|
||||
<xref rid="JR22080374-38" ref-type="bibr">38</xref>
|
||||
<xref rid="JR22080374-39" ref-type="bibr">39</xref>
|
||||
<xref rid="JR22080374-40" ref-type="bibr">40</xref>
|
||||
<xref rid="JR22080374-41" ref-type="bibr">41</xref>
|
||||
<xref rid="JR22080374-42" ref-type="bibr">42</xref>
|
||||
<xref rid="JR22080374-43" ref-type="bibr">43</xref>
|
||||
<xref rid="JR22080374-44" ref-type="bibr">44</xref>
|
||||
<xref rid="JR22080374-45" ref-type="bibr">45</xref>
|
||||
In the model of transgenic overexpressing EPO mice, there was an age-dependent progressive decrease in megakaryocyte count in the bone marrow.
|
||||
<xref rid="JR22080374-32" ref-type="bibr">32</xref>
|
||||
A similar phenomenon can be observed in mice exposed to chronic hypoxia.
|
||||
<xref rid="JR22080374-46" ref-type="bibr">46</xref>
|
||||
It is believed that competition between erythroid and platelet precursors in the stem cell population is responsible for this phenomenon.
|
||||
<xref rid="JR22080374-38" ref-type="bibr">38</xref>
|
||||
Despite a similar decrease of peripheral platelet counts, we observed normal megakaryocyte counts in the bone marrow of mice injected with EPO for 2 weeks. We speculate that morphological changes in the bone marrow are long-term consequences of EPO administration. In peripheral blood, we observed a significant increase in the platelet large cell ratio in mice treated with EPO for 2 weeks. This is likely due to an elevated count of reticulated platelets, which has been previously observed in response to EPO treatment.
|
||||
<xref rid="JR22080374-47" ref-type="bibr">47</xref>
|
||||
The presence of high levels of reticulated platelets indicates a high synthetic potential of megakaryocytes. Indeed, megakaryocytes possess high-affinity binding sites for EPO resulting in an increase in size, ploidy, and number of megakaryocytes in vitro.
|
||||
<xref rid="JR22080374-48" ref-type="bibr">48</xref>
|
||||
<xref rid="JR22080374-49" ref-type="bibr">49</xref>
|
||||
Young, reticulated platelets are known risk factors for thrombosis, which may counterbalance the overall low platelet count in terms of thrombogenicity.
|
||||
<xref rid="JR22080374-50" ref-type="bibr">50</xref>
|
||||
<xref rid="JR22080374-51" ref-type="bibr">51</xref>
|
||||
<xref rid="JR22080374-52" ref-type="bibr">52</xref>
|
||||
However, the significant increase in DVT observed in chronic EPO-overexpressing mice is likely attributed to qualitative changes in RBCs. There are several ways in which RBCs can interact with platelets and fibrin. The FAS-L-FAS-R interplay between RBCs and platelets has been shown to enhance DVT formation.
|
||||
<xref rid="JR22080374-31" ref-type="bibr">31</xref>
|
||||
Additionally, interactions such as ICAM-4–α1bβ3 integrin and adhesion between RBCs and platelets mediated by GPIb and CD36 have been described.
|
||||
<xref rid="JR22080374-53" ref-type="bibr">53</xref>
|
||||
<xref rid="JR22080374-54" ref-type="bibr">54</xref>
|
||||
As demonstrated in this study, the pronounced prothrombotic effect of RBCs only manifests after several weeks to months of EPO overproduction. Thus, we propose that RBC aging plays a role in this phenomenon. This is supported by the finding that RBCs in our Tg(EPO) mouse model exhibit characteristics of accelerated aging including decreased CD47 expression, leading to a 70% reduction in lifespan.
|
||||
<xref rid="JR22080374-15" ref-type="bibr">15</xref>
|
||||
</p><p>
|
||||
During the ageing process, RBCs not only display increasing amounts of procoagulant phosphatidylserine on their surface but also exhibit heightened osmotic and mechanical fragility, which is also observed in Tg(EPO) mice.
|
||||
<xref rid="JR22080374-32" ref-type="bibr">32</xref>
|
||||
<xref rid="JR22080374-55" ref-type="bibr">55</xref>
|
||||
Fragile RBCs are prone to hemolysis, resulting in the release of ADP and free hemoglobin. Furthermore, hemoglobin directly or indirectly contributes to increased platelet activity, for instance, by forming complexes with nitric oxide (NO).
|
||||
<xref rid="JR22080374-56" ref-type="bibr">56</xref>
|
||||
<xref rid="JR22080374-57" ref-type="bibr">57</xref>
|
||||
<xref rid="JR22080374-58" ref-type="bibr">58</xref>
|
||||
NO is essential for the survival of Tg(EPO) mice but dispensable for WT mice.
|
||||
<xref rid="JR22080374-14" ref-type="bibr">14</xref>
|
||||
Consistent with this, patients with polycythemia vera exhibit platelet hypersensitivity despite normal platelet counts, while plasma haptoglobin concentration, a marker for hemolysis, is decreased.
|
||||
<xref rid="JR22080374-59" ref-type="bibr">59</xref>
|
||||
<xref rid="JR22080374-60" ref-type="bibr">60</xref>
|
||||
<xref rid="JR22080374-61" ref-type="bibr">61</xref>
|
||||
<xref rid="JR22080374-62" ref-type="bibr">62</xref>
|
||||
<xref rid="JR22080374-63" ref-type="bibr">63</xref>
|
||||
<xref rid="JR22080374-64" ref-type="bibr">64</xref>
|
||||
<xref rid="JR22080374-65" ref-type="bibr">65</xref>
|
||||
Similarly, chronic subcutaneous EPO administration in hemodialysis patients leads to a prothrombotic phenotype similar to that of polycythemia vera patients.
|
||||
<xref rid="JR22080374-66" ref-type="bibr">66</xref>
|
||||
<xref rid="JR22080374-67" ref-type="bibr">67</xref>
|
||||
<xref rid="JR22080374-68" ref-type="bibr">68</xref>
|
||||
<xref rid="JR22080374-69" ref-type="bibr">69</xref>
|
||||
<xref rid="JR22080374-70" ref-type="bibr">70</xref>
|
||||
Notably, concentrated RBC transfusions result in the rapid clearance of up to 30% of transfused erythrocytes within 24 hours due to their age, thus increasing the risk of DVT formation.
|
||||
<xref rid="JR22080374-5" ref-type="bibr">5</xref>
|
||||
<xref rid="JR22080374-71" ref-type="bibr">71</xref>
|
||||
</p><p>
|
||||
Clearance of RBCs primarily occurs in the spleen, where tissue-resident macrophages screen for surface markers such as CD47.
|
||||
<xref rid="JR22080374-72" ref-type="bibr">72</xref>
|
||||
Subsequently, RBCs are phagocytosed before reaching day 120 of their lifespan.
|
||||
<xref rid="JR22080374-73" ref-type="bibr">73</xref>
|
||||
The spleen plays a crucial role in maintaining the shape and membrane resilience of RBCs, acting as a guardian in this regard.
|
||||
<xref rid="JR22080374-74" ref-type="bibr">74</xref>
|
||||
However, shortly after splenectomy, the loss of the organ significantly increases the risk of DVT formation.
|
||||
<xref rid="JR22080374-20" ref-type="bibr">20</xref>
|
||||
In the long-term basis, we observed no difference in DVT formation after splenectomy, neither in WT mice nor in chronic EPO-overexpressing mice, despite the dramatic increase in macrophage-mediated RBC clearance in these mice.
|
||||
<xref rid="JR22080374-15" ref-type="bibr">15</xref>
|
||||
Since RBC clearance occurs primarily in the spleen and liver in mice, we hypothesize that the liver is capable of adequately compensating for the absence of the spleen after removal.
|
||||
<xref rid="JR22080374-15" ref-type="bibr">15</xref>
|
||||
</p><p>
|
||||
Besides their activating effect on platelets, RBCs also directly impact the coagulation system. Previous data demonstrate that following TF activation, RBCs contribute to thrombin generation to a similar extent to platelets.
|
||||
<xref rid="JR22080374-75" ref-type="bibr">75</xref>
|
||||
Furthermore, RBCs expose phosphatidylserine, which activates the contact pathway.
|
||||
<xref rid="JR22080374-31" ref-type="bibr">31</xref>
|
||||
Notably, the coagulation system in Tg(EPO) mice exhibits normal activity in whole blood adjusted to a physiological hematocrit.
|
||||
<xref rid="JR22080374-32" ref-type="bibr">32</xref>
|
||||
Additionally, RBCs express a receptor with properties similar to the α
|
||||
<sub>IIb</sub>
|
||||
β
|
||||
<sub>3</sub>
|
||||
integrin enabling their interaction with fibrin.
|
||||
<xref rid="JR22080374-76" ref-type="bibr">76</xref>
|
||||
This interaction contributes to the formation of a dense fibrin meshwork consisting of thin fibers.
|
||||
<xref rid="JR22080374-77" ref-type="bibr">77</xref>
|
||||
Such a structure hinders clot dissolution, leading to slower lysis.
|
||||
<xref rid="JR22080374-77" ref-type="bibr">77</xref>
|
||||
In our histological analysis of thrombi, we confirm morphological changes in the fibrin meshwork, resulting in a thinner appearance in both EPO-overexpressing mice and mice subjected to short-term EPO injection.
|
||||
</p><p>In summary, our data suggest that chronic EPO overproduction, leading to elevated hematocrit levels, is associated with an increased incidence of venous thrombosis. This is likely attributed to qualitative changes in RBCs that promote a thrombogenic environment. On the other hand, short-term EPO administration does not pose an increased risk of venous thrombosis. Furthermore, splenic clearance of altered RBCs does not play a significant role in DVT formation. Therefore, conditions involving chronically elevated RBC production should be closely monitored due to the heightened risk of venous thrombosis.</p></sec></body><back><sec><boxed-text content-type="backinfo"><p>
|
||||
<bold>What is known about this topic?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Patients with high hematocrit and/or excessively increased erythropoietin (EPO) serum concentrations are particularly prone to deep vein thrombus (DVT) formation.</p></list-item><list-item><p>The spleen is an important organ in RBC and platelet clearance. Splenectomy leads to an increased risk of thromboembolic events.</p></list-item></list><p>
|
||||
<bold>What does this paper add?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Chronic but not short-term EPO administration/overproduction drives DVT formation in mice.</p></list-item><list-item><p>EPO-mediated DVT is mostly independent of conventional players of DVT (neutrophils, platelets) and splenic erythrocyte clearance.</p></list-item></list></boxed-text></sec><ack><title>Acknowledgment</title><p>Finally, we thank Philipp Lange for the technical support in performing ultrasound analysis of myocardial performance and on mice and Dominic van den Heuvel for the support in confocal microscopy as well as Analysis with Imaris.</p></ack><fn-group><fn fn-type="COI-statement" id="d35e179"><p><bold>Conflict of Interest</bold> None declared.</p></fn></fn-group><fn-group><title>Authors' Contribution</title><fn id="FN22080374-1"><p>K.S., S.M., and S.S. conceived and designed the experiments. S.S., I.S., A.-L.S., and S.C. planned and performed histological and immunohistochemical analysis. B.K., I.S., A.-L.S., F.W., and M.v.B. did surgery for IVC flow reduction in mice. F.W. injected EPO into C57Bl/6J mice. I.S. performed splenectomy on mice. I.S. determined platelet circulation time. B.K. performed platelet clearance essay in liver and spleen FACS experiments. I.O. provided Tg(EPO) mice. S.S. and K.S. wrote the manuscript. All the authors reviewed and edited the manuscript.</p></fn></fn-group><sec sec-type="supplementary-material"><title>Supplementary Material</title><supplementary-material id="SM22080374-1"><media xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0043-1775965-s22080374.pdf"><caption><p>Supplementary Material</p></caption><caption><p>Supplementary Material</p></caption></media></supplementary-material></sec><ref-list><title>References</title><ref id="JR22080374-1"><label>1</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ramsey</surname><given-names>G</given-names></name><name><surname>Lindholm</surname><given-names>P F</given-names></name></person-group><article-title>Thrombosis risk in cancer patients receiving red blood cell transfusions</article-title><source>Semin Thromb Hemost</source><year>2019</year><volume>45</volume><issue>06</issue><fpage>648</fpage><lpage>656</lpage><pub-id pub-id-type="pmid">31430787</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-2"><label>2</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kumar</surname><given-names>M A</given-names></name><name><surname>Boland</surname><given-names>T A</given-names></name><name><surname>Baiou</surname><given-names>M</given-names></name></person-group><etal/><article-title>Red blood cell transfusion increases the risk of thrombotic events in patients with subarachnoid hemorrhage</article-title><source>Neurocrit Care</source><year>2014</year><volume>20</volume><issue>01</issue><fpage>84</fpage><lpage>90</lpage><pub-id pub-id-type="pmid">23423719</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-3"><label>3</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Goel</surname><given-names>R</given-names></name><name><surname>Patel</surname><given-names>E U</given-names></name><name><surname>Cushing</surname><given-names>M M</given-names></name></person-group><etal/><article-title>Association of perioperative red blood cell transfusions with venous thromboembolism in a North American Registry</article-title><source>JAMA Surg</source><year>2018</year><volume>153</volume><issue>09</issue><fpage>826</fpage><lpage>833</lpage><pub-id pub-id-type="pmid">29898202</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-4"><label>4</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Wang</surname><given-names>C</given-names></name><name><surname>Le Ray</surname><given-names>I</given-names></name><name><surname>Lee</surname><given-names>B</given-names></name><name><surname>Wikman</surname><given-names>A</given-names></name><name><surname>Reilly</surname><given-names>M</given-names></name></person-group><article-title>Association of blood group and red blood cell transfusion with the incidence of antepartum, peripartum and postpartum venous thromboembolism</article-title><source>Sci Rep</source><year>2019</year><volume>9</volume><issue>01</issue><fpage>13535</fpage><pub-id pub-id-type="pmid">31537816</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-5"><label>5</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Donahue</surname><given-names>B S</given-names></name></person-group><article-title>Red cell transfusion and thrombotic risk in children</article-title><source>Pediatrics</source><year>2020</year><volume>145</volume><issue>04</issue><fpage>e20193955</fpage><pub-id pub-id-type="pmid">32198294</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-6"><label>6</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Dicato</surname><given-names>M</given-names></name></person-group><article-title>Venous thromboembolic events and erythropoiesis-stimulating agents: an update</article-title><source>Oncologist</source><year>2008</year><volume>13</volume><supplement>03</supplement><fpage>11</fpage><lpage>15</lpage><pub-id pub-id-type="pmid">18458119</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-7"><label>7</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bennett</surname><given-names>C L</given-names></name><name><surname>Silver</surname><given-names>S M</given-names></name><name><surname>Djulbegovic</surname><given-names>B</given-names></name></person-group><etal/><article-title>Venous thromboembolism and mortality associated with recombinant erythropoietin and darbepoetin administration for the treatment of cancer-associated anemia</article-title><source>JAMA</source><year>2008</year><volume>299</volume><issue>08</issue><fpage>914</fpage><lpage>924</lpage><pub-id pub-id-type="pmid">18314434</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-8"><label>8</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Chievitz</surname><given-names>E</given-names></name><name><surname>Thiede</surname><given-names>T</given-names></name></person-group><article-title>Complications and causes of death in polycythaemia vera</article-title><source>Acta Med Scand</source><year>1962</year><volume>172</volume><fpage>513</fpage><lpage>523</lpage><pub-id pub-id-type="pmid">14020816</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-9"><label>9</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Gordeuk</surname><given-names>V R</given-names></name><name><surname>Prchal</surname><given-names>J T</given-names></name></person-group><article-title>Vascular complications in Chuvash polycythemia</article-title><source>Semin Thromb Hemost</source><year>2006</year><volume>32</volume><issue>03</issue><fpage>289</fpage><lpage>294</lpage><pub-id pub-id-type="pmid">16673284</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-10"><label>10</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ballestri</surname><given-names>S</given-names></name><name><surname>Romagnoli</surname><given-names>E</given-names></name><name><surname>Arioli</surname><given-names>D</given-names></name></person-group><etal/><article-title>Risk and management of bleeding complications with direct oral anticoagulants in patients with atrial fibrillation and venous thromboembolism: a narrative review</article-title><source>Adv Ther</source><year>2023</year><volume>40</volume><issue>01</issue><fpage>41</fpage><lpage>66</lpage><pub-id pub-id-type="pmid">36244055</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-11"><label>11</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>von Brühl</surname><given-names>M L</given-names></name><name><surname>Stark</surname><given-names>K</given-names></name><name><surname>Steinhart</surname><given-names>A</given-names></name></person-group><etal/><article-title>Monocytes, neutrophils, and platelets cooperate to initiate and propagate venous thrombosis in mice in vivo</article-title><source>J Exp Med</source><year>2012</year><volume>209</volume><issue>04</issue><fpage>819</fpage><lpage>835</lpage><pub-id pub-id-type="pmid">22451716</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-12"><label>12</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lowe</surname><given-names>G D</given-names></name><name><surname>Lee</surname><given-names>A J</given-names></name><name><surname>Rumley</surname><given-names>A</given-names></name><name><surname>Price</surname><given-names>J F</given-names></name><name><surname>Fowkes</surname><given-names>F G</given-names></name></person-group><article-title>Blood viscosity and risk of cardiovascular events: the Edinburgh Artery Study</article-title><source>Br J Haematol</source><year>1997</year><volume>96</volume><issue>01</issue><fpage>168</fpage><lpage>173</lpage><pub-id pub-id-type="pmid">9012704</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-13"><label>13</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Vogel</surname><given-names>J</given-names></name><name><surname>Kiessling</surname><given-names>I</given-names></name><name><surname>Heinicke</surname><given-names>K</given-names></name></person-group><etal/><article-title>Transgenic mice overexpressing erythropoietin adapt to excessive erythrocytosis by regulating blood viscosity</article-title><source>Blood</source><year>2003</year><volume>102</volume><issue>06</issue><fpage>2278</fpage><lpage>2284</lpage><pub-id pub-id-type="pmid">12750170</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-14"><label>14</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ruschitzka</surname><given-names>F T</given-names></name><name><surname>Wenger</surname><given-names>R H</given-names></name><name><surname>Stallmach</surname><given-names>T</given-names></name></person-group><etal/><article-title>Nitric oxide prevents cardiovascular disease and determines survival in polyglobulic mice overexpressing erythropoietin</article-title><source>Proc Natl Acad Sci U S A</source><year>2000</year><volume>97</volume><issue>21</issue><fpage>11609</fpage><lpage>11613</lpage><pub-id pub-id-type="pmid">11027359</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-15"><label>15</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bogdanova</surname><given-names>A</given-names></name><name><surname>Mihov</surname><given-names>D</given-names></name><name><surname>Lutz</surname><given-names>H</given-names></name><name><surname>Saam</surname><given-names>B</given-names></name><name><surname>Gassmann</surname><given-names>M</given-names></name><name><surname>Vogel</surname><given-names>J</given-names></name></person-group><article-title>Enhanced erythro-phagocytosis in polycythemic mice overexpressing erythropoietin</article-title><source>Blood</source><year>2007</year><volume>110</volume><issue>02</issue><fpage>762</fpage><lpage>769</lpage><pub-id pub-id-type="pmid">17395782</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-16"><label>16</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Mebius</surname><given-names>R E</given-names></name><name><surname>Kraal</surname><given-names>G</given-names></name></person-group><article-title>Structure and function of the spleen</article-title><source>Nat Rev Immunol</source><year>2005</year><volume>5</volume><issue>08</issue><fpage>606</fpage><lpage>616</lpage><pub-id pub-id-type="pmid">16056254</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-17"><label>17</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Boxer</surname><given-names>M A</given-names></name><name><surname>Braun</surname><given-names>J</given-names></name><name><surname>Ellman</surname><given-names>L</given-names></name></person-group><article-title>Thromboembolic risk of postsplenectomy thrombocytosis</article-title><source>Arch Surg</source><year>1978</year><volume>113</volume><issue>07</issue><fpage>808</fpage><lpage>809</lpage><pub-id pub-id-type="pmid">678089</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-18"><label>18</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Khan</surname><given-names>P N</given-names></name><name><surname>Nair</surname><given-names>R J</given-names></name><name><surname>Olivares</surname><given-names>J</given-names></name><name><surname>Tingle</surname><given-names>L E</given-names></name><name><surname>Li</surname><given-names>Z</given-names></name></person-group><article-title>Postsplenectomy reactive thrombocytosis</article-title><source>Proc Bayl Univ Med Cent</source><year>2009</year><volume>22</volume><issue>01</issue><fpage>9</fpage><lpage>12</lpage><pub-id pub-id-type="pmid">19169391</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-19"><label>19</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Thomsen</surname><given-names>R W</given-names></name><name><surname>Schoonen</surname><given-names>W M</given-names></name><name><surname>Farkas</surname><given-names>D K</given-names></name><name><surname>Riis</surname><given-names>A</given-names></name><name><surname>Fryzek</surname><given-names>J P</given-names></name><name><surname>Sørensen</surname><given-names>H T</given-names></name></person-group><article-title>Risk of venous thromboembolism in splenectomized patients compared with the general population and appendectomized patients: a 10-year nationwide cohort study</article-title><source>J Thromb Haemost</source><year>2010</year><volume>8</volume><issue>06</issue><fpage>1413</fpage><lpage>1416</lpage><pub-id pub-id-type="pmid">20218983</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-20"><label>20</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kato</surname><given-names>G J</given-names></name></person-group><article-title>Vascular complications after splenectomy for hematologic disorders</article-title><source>Blood</source><year>2009</year><volume>114</volume><issue>26</issue><fpage>5404</fpage></mixed-citation></ref><ref id="JR22080374-21"><label>21</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sewify</surname><given-names>E M</given-names></name><name><surname>Sayed</surname><given-names>D</given-names></name><name><surname>Abdel Aal</surname><given-names>R F</given-names></name><name><surname>Ahmad</surname><given-names>H M</given-names></name><name><surname>Abdou</surname><given-names>M A</given-names></name></person-group><article-title>Increased circulating red cell microparticles (RMP) and platelet microparticles (PMP) in immune thrombocytopenic purpura</article-title><source>Thromb Res</source><year>2013</year><volume>131</volume><issue>02</issue><fpage>e59</fpage><lpage>e63</lpage><pub-id pub-id-type="pmid">23245653</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-22"><label>22</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Frey</surname><given-names>M K</given-names></name><name><surname>Alias</surname><given-names>S</given-names></name><name><surname>Winter</surname><given-names>M P</given-names></name></person-group><etal/><article-title>Splenectomy is modifying the vascular remodeling of thrombosis</article-title><source>J Am Heart Assoc</source><year>2014</year><volume>3</volume><issue>01</issue><fpage>e000772</fpage><pub-id pub-id-type="pmid">24584745</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-23"><label>23</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bratosin</surname><given-names>D</given-names></name><name><surname>Mazurier</surname><given-names>J</given-names></name><name><surname>Tissier</surname><given-names>J P</given-names></name></person-group><etal/><article-title>Cellular and molecular mechanisms of senescent erythrocyte phagocytosis by macrophages. A review</article-title><source>Biochimie</source><year>1998</year><volume>80</volume><issue>02</issue><fpage>173</fpage><lpage>195</lpage><pub-id pub-id-type="pmid">9587675</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-24"><label>24</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Taher</surname><given-names>A T</given-names></name><name><surname>Musallam</surname><given-names>K M</given-names></name><name><surname>Karimi</surname><given-names>M</given-names></name></person-group><etal/><article-title>Splenectomy and thrombosis: the case of thalassemia intermedia</article-title><source>J Thromb Haemost</source><year>2010</year><volume>8</volume><issue>10</issue><fpage>2152</fpage><lpage>2158</lpage><pub-id pub-id-type="pmid">20546125</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-25"><label>25</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Seki</surname><given-names>M</given-names></name><name><surname>Arashiki</surname><given-names>N</given-names></name><name><surname>Takakuwa</surname><given-names>Y</given-names></name><name><surname>Nitta</surname><given-names>K</given-names></name><name><surname>Nakamura</surname><given-names>F</given-names></name></person-group><article-title>Reduction in flippase activity contributes to surface presentation of phosphatidylserine in human senescent erythrocytes</article-title><source>J Cell Mol Med</source><year>2020</year><volume>24</volume><issue>23</issue><fpage>13991</fpage><lpage>14000</lpage><pub-id pub-id-type="pmid">33103382</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-26"><label>26</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Whelihan</surname><given-names>M F</given-names></name><name><surname>Mann</surname><given-names>K G</given-names></name></person-group><article-title>The role of the red cell membrane in thrombin generation</article-title><source>Thromb Res</source><year>2013</year><volume>131</volume><issue>05</issue><fpage>377</fpage><lpage>382</lpage><pub-id pub-id-type="pmid">23402970</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-27"><label>27</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Frietsch</surname><given-names>T</given-names></name><name><surname>Maurer</surname><given-names>M H</given-names></name><name><surname>Vogel</surname><given-names>J</given-names></name><name><surname>Gassmann</surname><given-names>M</given-names></name><name><surname>Kuschinsky</surname><given-names>W</given-names></name><name><surname>Waschke</surname><given-names>K F</given-names></name></person-group><article-title>Reduced cerebral blood flow but elevated cerebral glucose metabolic rate in erythropoietin overexpressing transgenic mice with excessive erythrocytosis</article-title><source>J Cereb Blood Flow Metab</source><year>2007</year><volume>27</volume><issue>03</issue><fpage>469</fpage><lpage>476</lpage><pub-id pub-id-type="pmid">16804549</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-28"><label>28</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Mitchell</surname><given-names>O</given-names></name><name><surname>Feldman</surname><given-names>D M</given-names></name><name><surname>Diakow</surname><given-names>M</given-names></name><name><surname>Sigal</surname><given-names>S H</given-names></name></person-group><article-title>The pathophysiology of thrombocytopenia in chronic liver disease</article-title><source>Hepat Med</source><year>2016</year><volume>8</volume><fpage>39</fpage><lpage>50</lpage><pub-id pub-id-type="pmid">27186144</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-29"><label>29</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lv</surname><given-names>Y</given-names></name><name><surname>Lau</surname><given-names>W Y</given-names></name><name><surname>Li</surname><given-names>Y</given-names></name></person-group><etal/><article-title>Hypersplenism: history and current status</article-title><source>Exp Ther Med</source><year>2016</year><volume>12</volume><issue>04</issue><fpage>2377</fpage><lpage>2382</lpage><pub-id pub-id-type="pmid">27703501</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-30"><label>30</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Wagner</surname><given-names>K F</given-names></name><name><surname>Katschinski</surname><given-names>D M</given-names></name><name><surname>Hasegawa</surname><given-names>J</given-names></name></person-group><etal/><article-title>Chronic inborn erythrocytosis leads to cardiac dysfunction and premature death in mice overexpressing erythropoietin</article-title><source>Blood</source><year>2001</year><volume>97</volume><issue>02</issue><fpage>536</fpage><lpage>542</lpage><pub-id pub-id-type="pmid">11154234</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-31"><label>31</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Klatt</surname><given-names>C</given-names></name><name><surname>Krüger</surname><given-names>I</given-names></name><name><surname>Zey</surname><given-names>S</given-names></name></person-group><etal/><article-title>Platelet-RBC interaction mediated by FasL/FasR induces procoagulant activity important for thrombosis</article-title><source>J Clin Invest</source><year>2018</year><volume>128</volume><issue>09</issue><fpage>3906</fpage><lpage>3925</lpage><pub-id pub-id-type="pmid">29952767</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-32"><label>32</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Shibata</surname><given-names>J</given-names></name><name><surname>Hasegawa</surname><given-names>J</given-names></name><name><surname>Siemens</surname><given-names>H J</given-names></name></person-group><etal/><article-title>Hemostasis and coagulation at a hematocrit level of 0.85: functional consequences of erythrocytosis</article-title><source>Blood</source><year>2003</year><volume>101</volume><issue>11</issue><fpage>4416</fpage><lpage>4422</lpage><pub-id pub-id-type="pmid">12576335</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-33"><label>33</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Babu</surname><given-names>E</given-names></name><name><surname>Basu</surname><given-names>D</given-names></name></person-group><article-title>Platelet large cell ratio in the differential diagnosis of abnormal platelet counts</article-title><source>Indian J Pathol Microbiol</source><year>2004</year><volume>47</volume><issue>02</issue><fpage>202</fpage><lpage>205</lpage><pub-id pub-id-type="pmid">16295468</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-34"><label>34</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Formenti</surname><given-names>F</given-names></name><name><surname>Beer</surname><given-names>P A</given-names></name><name><surname>Croft</surname><given-names>Q P</given-names></name></person-group><etal/><article-title>Cardiopulmonary function in two human disorders of the hypoxia-inducible factor (HIF) pathway: von Hippel-Lindau disease and HIF-2alpha gain-of-function mutation</article-title><source>FASEB J</source><year>2011</year><volume>25</volume><issue>06</issue><fpage>2001</fpage><lpage>2011</lpage><pub-id pub-id-type="pmid">21389259</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-35"><label>35</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ashraf</surname><given-names>H M</given-names></name><name><surname>Javed</surname><given-names>A</given-names></name><name><surname>Ashraf</surname><given-names>S</given-names></name></person-group><article-title>Pulmonary embolism at high altitude and hyperhomocysteinemia</article-title><source>J Coll Physicians Surg Pak</source><year>2006</year><volume>16</volume><issue>01</issue><fpage>71</fpage><lpage>73</lpage><pub-id pub-id-type="pmid">16441997</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-36"><label>36</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Smallman</surname><given-names>D P</given-names></name><name><surname>McBratney</surname><given-names>C M</given-names></name><name><surname>Olsen</surname><given-names>C H</given-names></name><name><surname>Slogic</surname><given-names>K M</given-names></name><name><surname>Henderson</surname><given-names>C J</given-names></name></person-group><article-title>Quantification of the 5-year incidence of thromboembolic events in U.S. Air Force Academy cadets in comparison to the U.S. Naval and Military Academies</article-title><source>Mil Med</source><year>2011</year><volume>176</volume><issue>02</issue><fpage>209</fpage><lpage>213</lpage><pub-id pub-id-type="pmid">21366086</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-37"><label>37</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Li</surname><given-names>M</given-names></name><name><surname>Tang</surname><given-names>X</given-names></name><name><surname>Liao</surname><given-names>Z</given-names></name></person-group><etal/><article-title>Hypoxia and low temperature upregulate transferrin to induce hypercoagulability at high altitude</article-title><source>Blood</source><year>2022</year><volume>140</volume><issue>19</issue><fpage>2063</fpage><lpage>2075</lpage><pub-id pub-id-type="pmid">36040436</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-38"><label>38</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>McDonald</surname><given-names>T P</given-names></name><name><surname>Clift</surname><given-names>R E</given-names></name><name><surname>Cottrell</surname><given-names>M B</given-names></name></person-group><article-title>Large, chronic doses of erythropoietin cause thrombocytopenia in mice</article-title><source>Blood</source><year>1992</year><volume>80</volume><issue>02</issue><fpage>352</fpage><lpage>358</lpage><pub-id pub-id-type="pmid">1627797</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-39"><label>39</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Jaïs</surname><given-names>X</given-names></name><name><surname>Ioos</surname><given-names>V</given-names></name><name><surname>Jardim</surname><given-names>C</given-names></name></person-group><etal/><article-title>Splenectomy and chronic thromboembolic pulmonary hypertension</article-title><source>Thorax</source><year>2005</year><volume>60</volume><issue>12</issue><fpage>1031</fpage><lpage>1034</lpage><pub-id pub-id-type="pmid">16085731</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-40"><label>40</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Watters</surname><given-names>J M</given-names></name><name><surname>Sambasivan</surname><given-names>C N</given-names></name><name><surname>Zink</surname><given-names>K</given-names></name></person-group><etal/><article-title>Splenectomy leads to a persistent hypercoagulable state after trauma</article-title><source>Am J Surg</source><year>2010</year><volume>199</volume><issue>05</issue><fpage>646</fpage><lpage>651</lpage><pub-id pub-id-type="pmid">20466110</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-41"><label>41</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Visudhiphan</surname><given-names>S</given-names></name><name><surname>Ketsa-Ard</surname><given-names>K</given-names></name><name><surname>Piankijagum</surname><given-names>A</given-names></name><name><surname>Tumliang</surname><given-names>S</given-names></name></person-group><article-title>Blood coagulation and platelet profiles in persistent post-splenectomy thrombocytosis. The relationship to thromboembolism</article-title><source>Biomed Pharmacother</source><year>1985</year><volume>39</volume><issue>06</issue><fpage>264</fpage><lpage>271</lpage><pub-id pub-id-type="pmid">4084660</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-42"><label>42</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>McDonald</surname><given-names>T P</given-names></name><name><surname>Cottrell</surname><given-names>M B</given-names></name><name><surname>Clift</surname><given-names>R E</given-names></name><name><surname>Cullen</surname><given-names>W C</given-names></name><name><surname>Lin</surname><given-names>F K</given-names></name></person-group><article-title>High doses of recombinant erythropoietin stimulate platelet production in mice</article-title><source>Exp Hematol</source><year>1987</year><volume>15</volume><issue>06</issue><fpage>719</fpage><lpage>721</lpage><pub-id pub-id-type="pmid">3595770</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-43"><label>43</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Shikama</surname><given-names>Y</given-names></name><name><surname>Ishibashi</surname><given-names>T</given-names></name><name><surname>Kimura</surname><given-names>H</given-names></name><name><surname>Kawaguchi</surname><given-names>M</given-names></name><name><surname>Uchida</surname><given-names>T</given-names></name><name><surname>Maruyama</surname><given-names>Y</given-names></name></person-group><article-title>Transient effect of erythropoietin on thrombocytopoiesis in vivo in mice</article-title><source>Exp Hematol</source><year>1992</year><volume>20</volume><issue>02</issue><fpage>216</fpage><lpage>222</lpage><pub-id pub-id-type="pmid">1544390</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-44"><label>44</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Jackson</surname><given-names>C W</given-names></name><name><surname>Edwards</surname><given-names>C C</given-names></name></person-group><article-title>Biphasic thrombopoietic response to severe hypobaric hypoxia</article-title><source>Br J Haematol</source><year>1977</year><volume>35</volume><issue>02</issue><fpage>233</fpage><lpage>244</lpage><pub-id pub-id-type="pmid">869999</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-45"><label>45</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>McDonald</surname><given-names>T P</given-names></name></person-group><article-title>Platelet production in hypoxic and RBC-transfused mice</article-title><source>Scand J Haematol</source><year>1978</year><volume>20</volume><issue>03</issue><fpage>213</fpage><lpage>220</lpage><pub-id pub-id-type="pmid">644251</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-46"><label>46</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Rolović</surname><given-names>Z</given-names></name><name><surname>Basara</surname><given-names>N</given-names></name><name><surname>Biljanović-Paunović</surname><given-names>L</given-names></name><name><surname>Stojanović</surname><given-names>N</given-names></name><name><surname>Suvajdzić</surname><given-names>N</given-names></name><name><surname>Pavlović-Kentera</surname><given-names>V</given-names></name></person-group><article-title>Megakaryocytopoiesis in experimentally induced chronic normobaric hypoxia</article-title><source>Exp Hematol</source><year>1990</year><volume>18</volume><issue>03</issue><fpage>190</fpage><lpage>194</lpage><pub-id pub-id-type="pmid">2303112</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-47"><label>47</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Wolf</surname><given-names>R F</given-names></name><name><surname>Peng</surname><given-names>J</given-names></name><name><surname>Friese</surname><given-names>P</given-names></name><name><surname>Gilmore</surname><given-names>L S</given-names></name><name><surname>Burstein</surname><given-names>S A</given-names></name><name><surname>Dale</surname><given-names>G L</given-names></name></person-group><article-title>Erythropoietin administration increases production and reactivity of platelets in dogs</article-title><source>Thromb Haemost</source><year>1997</year><volume>78</volume><issue>06</issue><fpage>1505</fpage><lpage>1509</lpage><pub-id pub-id-type="pmid">9423803</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-48"><label>48</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Fraser</surname><given-names>J K</given-names></name><name><surname>Tan</surname><given-names>A S</given-names></name><name><surname>Lin</surname><given-names>F K</given-names></name><name><surname>Berridge</surname><given-names>M V</given-names></name></person-group><article-title>Expression of specific high-affinity binding sites for erythropoietin on rat and mouse megakaryocytes</article-title><source>Exp Hematol</source><year>1989</year><volume>17</volume><issue>01</issue><fpage>10</fpage><lpage>16</lpage><pub-id pub-id-type="pmid">2535696</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-49"><label>49</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sasaki</surname><given-names>H</given-names></name><name><surname>Hirabayashi</surname><given-names>Y</given-names></name><name><surname>Ishibashi</surname><given-names>T</given-names></name></person-group><etal/><article-title>Effects of erythropoietin, IL-3, IL-6 and LIF on a murine megakaryoblastic cell line: growth enhancement and expression of receptor mRNAs</article-title><source>Leuk Res</source><year>1995</year><volume>19</volume><issue>02</issue><fpage>95</fpage><lpage>102</lpage><pub-id pub-id-type="pmid">7869746</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-50"><label>50</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>McBane</surname><given-names>R D</given-names><suffix>II</suffix></name><name><surname>Gonzalez</surname><given-names>C</given-names></name><name><surname>Hodge</surname><given-names>D O</given-names></name><name><surname>Wysokinski</surname><given-names>W E</given-names></name></person-group><article-title>Propensity for young reticulated platelet recruitment into arterial thrombi</article-title><source>J Thromb Thrombolysis</source><year>2014</year><volume>37</volume><issue>02</issue><fpage>148</fpage><lpage>154</lpage><pub-id pub-id-type="pmid">23645473</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-51"><label>51</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Buttarello</surname><given-names>M</given-names></name><name><surname>Mezzapelle</surname><given-names>G</given-names></name><name><surname>Freguglia</surname><given-names>F</given-names></name><name><surname>Plebani</surname><given-names>M</given-names></name></person-group><article-title>Reticulated platelets and immature platelet fraction: clinical applications and method limitations</article-title><source>Int J Lab Hematol</source><year>2020</year><volume>42</volume><issue>04</issue><fpage>363</fpage><lpage>370</lpage><pub-id pub-id-type="pmid">32157813</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-52"><label>52</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Guthikonda</surname><given-names>S</given-names></name><name><surname>Alviar</surname><given-names>C L</given-names></name><name><surname>Vaduganathan</surname><given-names>M</given-names></name></person-group><etal/><article-title>Role of reticulated platelets and platelet size heterogeneity on platelet activity after dual antiplatelet therapy with aspirin and clopidogrel in patients with stable coronary artery disease</article-title><source>J Am Coll Cardiol</source><year>2008</year><volume>52</volume><issue>09</issue><fpage>743</fpage><lpage>749</lpage><pub-id pub-id-type="pmid">18718422</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-53"><label>53</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Goel</surname><given-names>M S</given-names></name><name><surname>Diamond</surname><given-names>S L</given-names></name></person-group><article-title>Adhesion of normal erythrocytes at depressed venous shear rates to activated neutrophils, activated platelets, and fibrin polymerized from plasma</article-title><source>Blood</source><year>2002</year><volume>100</volume><issue>10</issue><fpage>3797</fpage><lpage>3803</lpage><pub-id pub-id-type="pmid">12393714</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-54"><label>54</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Hermand</surname><given-names>P</given-names></name><name><surname>Gane</surname><given-names>P</given-names></name><name><surname>Huet</surname><given-names>M</given-names></name></person-group><etal/><article-title>Red cell ICAM-4 is a novel ligand for platelet-activated alpha IIbbeta 3 integrin</article-title><source>J Biol Chem</source><year>2003</year><volume>278</volume><issue>07</issue><fpage>4892</fpage><lpage>4898</lpage><pub-id pub-id-type="pmid">12477717</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-55"><label>55</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Orbach</surname><given-names>A</given-names></name><name><surname>Zelig</surname><given-names>O</given-names></name><name><surname>Yedgar</surname><given-names>S</given-names></name><name><surname>Barshtein</surname><given-names>G</given-names></name></person-group><article-title>Biophysical and biochemical markers of red blood cell fragility</article-title><source>Transfus Med Hemother</source><year>2017</year><volume>44</volume><issue>03</issue><fpage>183</fpage><lpage>187</lpage><pub-id pub-id-type="pmid">28626369</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-56"><label>56</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Helms</surname><given-names>C C</given-names></name><name><surname>Marvel</surname><given-names>M</given-names></name><name><surname>Zhao</surname><given-names>W</given-names></name></person-group><etal/><article-title>Mechanisms of hemolysis-associated platelet activation</article-title><source>J Thromb Haemost</source><year>2013</year><volume>11</volume><issue>12</issue><fpage>2148</fpage><lpage>2154</lpage><pub-id pub-id-type="pmid">24119131</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-57"><label>57</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Villagra</surname><given-names>J</given-names></name><name><surname>Shiva</surname><given-names>S</given-names></name><name><surname>Hunter</surname><given-names>L A</given-names></name><name><surname>Machado</surname><given-names>R F</given-names></name><name><surname>Gladwin</surname><given-names>M T</given-names></name><name><surname>Kato</surname><given-names>G J</given-names></name></person-group><article-title>Platelet activation in patients with sickle disease, hemolysis-associated pulmonary hypertension, and nitric oxide scavenging by cell-free hemoglobin</article-title><source>Blood</source><year>2007</year><volume>110</volume><issue>06</issue><fpage>2166</fpage><lpage>2172</lpage><pub-id pub-id-type="pmid">17536019</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-58"><label>58</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Gambaryan</surname><given-names>S</given-names></name><name><surname>Subramanian</surname><given-names>H</given-names></name><name><surname>Kehrer</surname><given-names>L</given-names></name></person-group><etal/><article-title>Erythrocytes do not activate purified and platelet soluble guanylate cyclases even in conditions favourable for NO synthesis</article-title><source>Cell Commun Signal</source><year>2016</year><volume>14</volume><issue>01</issue><fpage>16</fpage><pub-id pub-id-type="pmid">27515066</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-59"><label>59</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Krauss</surname><given-names>S</given-names></name></person-group><article-title>Haptoglobin metabolism in polycythemia vera</article-title><source>Blood</source><year>1969</year><volume>33</volume><issue>06</issue><fpage>865</fpage><lpage>876</lpage><pub-id pub-id-type="pmid">5795764</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-60"><label>60</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Vignoli</surname><given-names>A</given-names></name><name><surname>Gamba</surname><given-names>S</given-names></name><name><surname>van der Meijden</surname><given-names>P EJ</given-names></name></person-group><etal/><article-title>Increased platelet thrombus formation under flow conditions in whole blood from polycythaemia vera patients</article-title><source>Blood Transfus</source><year>2022</year><volume>20</volume><issue>02</issue><fpage>143</fpage><lpage>151</lpage><pub-id pub-id-type="pmid">33819141</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-61"><label>61</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lawrence</surname><given-names>J H</given-names></name></person-group><article-title>The control of polycythemia by marrow inhibition; a 10-year study of 172 patients</article-title><source>J Am Med Assoc</source><year>1949</year><volume>141</volume><issue>01</issue><fpage>13</fpage><lpage>18</lpage><pub-id pub-id-type="pmid">18138511</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-62"><label>62</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Pearson</surname><given-names>T C</given-names></name><name><surname>Wetherley-Mein</surname><given-names>G</given-names></name></person-group><article-title>Vascular occlusive episodes and venous haematocrit in primary proliferative polycythaemia</article-title><source>Lancet</source><year>1978</year><volume>2</volume><issue>8102</issue><fpage>1219</fpage><lpage>1222</lpage><pub-id pub-id-type="pmid">82733</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-63"><label>63</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Fazekas</surname><given-names>J F</given-names></name><name><surname>Nelson</surname><given-names>D</given-names></name></person-group><article-title>Cerebral blood flow in polycythemia vera</article-title><source>AMA Arch Intern Med</source><year>1956</year><volume>98</volume><issue>03</issue><fpage>328</fpage><lpage>331</lpage><pub-id pub-id-type="pmid">13354026</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-64"><label>64</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Thomas</surname><given-names>D J</given-names></name><name><surname>Marshall</surname><given-names>J</given-names></name><name><surname>Russell</surname><given-names>R W</given-names></name></person-group><etal/><article-title>Effect of haematocrit on cerebral blood-flow in man</article-title><source>Lancet</source><year>1977</year><volume>2</volume><issue>8045</issue><fpage>941</fpage><lpage>943</lpage><pub-id pub-id-type="pmid">72286</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-65"><label>65</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>D'Emilio</surname><given-names>A</given-names></name><name><surname>Battista</surname><given-names>R</given-names></name><name><surname>Dini</surname><given-names>E</given-names></name></person-group><article-title>Treatment of primary proliferative polycythaemia by venesection and busulphan</article-title><source>Br J Haematol</source><year>1987</year><volume>65</volume><issue>01</issue><fpage>121</fpage><lpage>122</lpage><pub-id pub-id-type="pmid">3814522</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-66"><label>66</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Taylor</surname><given-names>J E</given-names></name><name><surname>Henderson</surname><given-names>I S</given-names></name><name><surname>Stewart</surname><given-names>W K</given-names></name><name><surname>Belch</surname><given-names>J J</given-names></name></person-group><article-title>Erythropoietin and spontaneous platelet aggregation in haemodialysis patients</article-title><source>Lancet</source><year>1991</year><volume>338</volume><issue>8779</issue><fpage>1361</fpage><lpage>1362</lpage><pub-id pub-id-type="pmid">1682739</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-67"><label>67</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Zwaginga</surname><given-names>J J</given-names></name><name><surname>IJsseldijk</surname><given-names>M J</given-names></name><name><surname>de Groot</surname><given-names>P G</given-names></name></person-group><etal/><article-title>Treatment of uremic anemia with recombinant erythropoietin also reduces the defects in platelet adhesion and aggregation caused by uremic plasma</article-title><source>Thromb Haemost</source><year>1991</year><volume>66</volume><issue>06</issue><fpage>638</fpage><lpage>647</lpage><pub-id pub-id-type="pmid">1665596</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-68"><label>68</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Fabris</surname><given-names>F</given-names></name><name><surname>Cordiano</surname><given-names>I</given-names></name><name><surname>Randi</surname><given-names>M L</given-names></name></person-group><etal/><article-title>Effect of human recombinant erythropoietin on bleeding time, platelet number and function in children with end-stage renal disease maintained by haemodialysis</article-title><source>Pediatr Nephrol</source><year>1991</year><volume>5</volume><issue>02</issue><fpage>225</fpage><lpage>228</lpage><pub-id pub-id-type="pmid">2031840</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-69"><label>69</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Akizawa</surname><given-names>T</given-names></name><name><surname>Kinugasa</surname><given-names>E</given-names></name><name><surname>Kitaoka</surname><given-names>T</given-names></name><name><surname>Koshikawa</surname><given-names>S</given-names></name></person-group><article-title>Effects of recombinant human erythropoietin and correction of anemia on platelet function in hemodialysis patients</article-title><source>Nephron J</source><year>1991</year><volume>58</volume><issue>04</issue><fpage>400</fpage><lpage>406</lpage></mixed-citation></ref><ref id="JR22080374-70"><label>70</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Viganò</surname><given-names>G</given-names></name><name><surname>Benigni</surname><given-names>A</given-names></name><name><surname>Mendogni</surname><given-names>D</given-names></name><name><surname>Mingardi</surname><given-names>G</given-names></name><name><surname>Mecca</surname><given-names>G</given-names></name><name><surname>Remuzzi</surname><given-names>G</given-names></name></person-group><article-title>Recombinant human erythropoietin to correct uremic bleeding</article-title><source>Am J Kidney Dis</source><year>1991</year><volume>18</volume><issue>01</issue><fpage>44</fpage><lpage>49</lpage><pub-id pub-id-type="pmid">2063854</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-71"><label>71</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Rios</surname><given-names>J A</given-names></name><name><surname>Hambleton</surname><given-names>J</given-names></name><name><surname>Viele</surname><given-names>M</given-names></name></person-group><etal/><article-title>Viability of red cells prepared with S-303 pathogen inactivation treatment</article-title><source>Transfusion</source><year>2006</year><volume>46</volume><issue>10</issue><fpage>1778</fpage><lpage>1786</lpage><pub-id pub-id-type="pmid">17002635</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-72"><label>72</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Khandelwal</surname><given-names>S</given-names></name><name><surname>van Rooijen</surname><given-names>N</given-names></name><name><surname>Saxena</surname><given-names>R K</given-names></name></person-group><article-title>Reduced expression of CD47 during murine red blood cell (RBC) senescence and its role in RBC clearance from the circulation</article-title><source>Transfusion</source><year>2007</year><volume>47</volume><issue>09</issue><fpage>1725</fpage><lpage>1732</lpage><pub-id pub-id-type="pmid">17725740</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-73"><label>73</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bosman</surname><given-names>G J</given-names></name><name><surname>Werre</surname><given-names>J M</given-names></name><name><surname>Willekens</surname><given-names>F L</given-names></name><name><surname>Novotný</surname><given-names>V M</given-names></name></person-group><article-title>Erythrocyte ageing in vivo and in vitro: structural aspects and implications for transfusion</article-title><source>Transfus Med</source><year>2008</year><volume>18</volume><issue>06</issue><fpage>335</fpage><lpage>347</lpage><pub-id pub-id-type="pmid">19140816</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-74"><label>74</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Crosby</surname><given-names>W H</given-names></name></person-group><article-title>Normal functions of the spleen relative to red blood cells: a review</article-title><source>Blood</source><year>1959</year><volume>14</volume><issue>04</issue><fpage>399</fpage><lpage>408</lpage><pub-id pub-id-type="pmid">13638340</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-75"><label>75</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Varin</surname><given-names>R</given-names></name><name><surname>Mirshahi</surname><given-names>S</given-names></name><name><surname>Mirshahi</surname><given-names>P</given-names></name></person-group><etal/><article-title>Whole blood clots are more resistant to lysis than plasma clots–greater efficacy of rivaroxaban</article-title><source>Thromb Res</source><year>2013</year><volume>131</volume><issue>03</issue><fpage>e100</fpage><lpage>e109</lpage><pub-id pub-id-type="pmid">23313382</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-76"><label>76</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Carvalho</surname><given-names>F A</given-names></name><name><surname>Connell</surname><given-names>S</given-names></name><name><surname>Miltenberger-Miltenyi</surname><given-names>G</given-names></name></person-group><etal/><article-title>Atomic force microscopy-based molecular recognition of a fibrinogen receptor on human erythrocytes</article-title><source>ACS Nano</source><year>2010</year><volume>4</volume><issue>08</issue><fpage>4609</fpage><lpage>4620</lpage><pub-id pub-id-type="pmid">20731444</pub-id>
|
||||
</mixed-citation></ref><ref id="JR22080374-77"><label>77</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Wohner</surname><given-names>N</given-names></name><name><surname>Sótonyi</surname><given-names>P</given-names></name><name><surname>Machovich</surname><given-names>R</given-names></name></person-group><etal/><article-title>Lytic resistance of fibrin containing red blood cells</article-title><source>Arterioscler Thromb Vasc Biol</source><year>2011</year><volume>31</volume><issue>10</issue><fpage>2306</fpage><lpage>2313</lpage><pub-id pub-id-type="pmid">21737785</pub-id>
|
||||
</mixed-citation></ref></ref-list></back></article>
|
221
tests/data/xml/10-1055-s-0044-1786808.nxml
Normal file
221
tests/data/xml/10-1055-s-0044-1786808.nxml
Normal file
File diff suppressed because one or more lines are too long
296
tests/data/xml/10-1055-s-0044-1786809.nxml
Normal file
296
tests/data/xml/10-1055-s-0044-1786809.nxml
Normal file
@ -0,0 +1,296 @@
|
||||
<!DOCTYPE article
|
||||
PUBLIC "-//NLM//DTD JATS (Z39.96) Journal Archiving and Interchange DTD with MathML3 v1.3 20210610//EN" "JATS-archivearticle1-3-mathml3.dtd">
|
||||
<article xmlns:mml="http://www.w3.org/1998/Math/MathML" article-type="research-article" xml:lang="en" dtd-version="1.3"><?properties open_access?><processing-meta base-tagset="archiving" mathml-version="3.0" table-model="xhtml" tagset-family="jats"><restricted-by>pmc</restricted-by></processing-meta><front><journal-meta><journal-id journal-id-type="nlm-ta">Thromb Haemost</journal-id><journal-id journal-id-type="iso-abbrev">Thromb Haemost</journal-id><journal-id journal-id-type="doi">10.1055/s-00035024</journal-id><journal-title-group><journal-title>Thrombosis and Haemostasis</journal-title></journal-title-group><issn pub-type="ppub">0340-6245</issn><issn pub-type="epub">2567-689X</issn><publisher><publisher-name>Georg Thieme Verlag KG</publisher-name><publisher-loc>Rüdigerstraße 14, 70469 Stuttgart, Germany</publisher-loc></publisher></journal-meta>
|
||||
<article-meta><article-id pub-id-type="pmid">38788766</article-id><article-id pub-id-type="pmc">11518616</article-id>
|
||||
<article-id pub-id-type="doi">10.1055/s-0044-1786809</article-id><article-id pub-id-type="publisher-id">TH-23-12-0539</article-id><article-categories><subj-group><subject>Atherosclerosis and Ischaemic Disease</subject></subj-group></article-categories><title-group><article-title>Exploring Causal Relationships between Circulating Inflammatory Proteins and Thromboangiitis Obliterans: A Mendelian Randomization Study</article-title></title-group><contrib-group><contrib contrib-type="author"><contrib-id contrib-id-type="orcid">http://orcid.org/0000-0003-3693-6153</contrib-id><name><surname>Zhang</surname><given-names>Bihui</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref><xref rid="FN23120539-1" ref-type="fn">*</xref><xref rid="CO23120539-2" ref-type="author-notes"/></contrib><contrib contrib-type="author"><name><surname>He</surname><given-names>Rui</given-names></name><xref rid="AF23120539-2" ref-type="aff">2</xref><xref rid="FN23120539-1" ref-type="fn">*</xref></contrib><contrib contrib-type="author"><name><surname>Yao</surname><given-names>Ziping</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref><xref rid="FN23120539-1" ref-type="fn">*</xref></contrib><contrib contrib-type="author"><name><surname>Li</surname><given-names>Pengyu</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Niu</surname><given-names>Guochen</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Yan</surname><given-names>Ziguang</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Zou</surname><given-names>Yinghua</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Tong</surname><given-names>Xiaoqiang</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref></contrib><contrib contrib-type="author"><name><surname>Yang</surname><given-names>Min</given-names></name><xref rid="AF23120539-1" ref-type="aff">1</xref><xref rid="CO23120539-1" ref-type="author-notes"/></contrib></contrib-group><aff id="AF23120539-1"><label>1</label><institution>Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital, Beijing, China</institution></aff><aff id="AF23120539-2"><label>2</label><institution>Department of Plastic Surgery and Burn, Peking University First Hospital, Beijing, China</institution></aff><author-notes><corresp id="CO23120539-1"><bold>Address for correspondence </bold>Min Yang, MD <institution>Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital</institution><addr-line>No. 8, Xishiku Street, Xicheng-Qu, Beijing, 100000</addr-line><country>China</country><email>dryangmin@gmail.com</email></corresp><corresp id="CO23120539-2">Bihui Zhang, MD <institution>Department of Interventional Radiology and Vascular Surgery, Peking University First Hospital</institution><addr-line>No. 8, Xishiku Street, Xicheng-Qu, Beijing, 100000</addr-line><country>China</country><email>dr_zhangbihui@163.com</email></corresp></author-notes><pub-date pub-type="epub"><day>24</day><month>5</month><year>2024</year></pub-date><pub-date pub-type="collection"><month>11</month><year>2024</year></pub-date><pub-date pub-type="pmc-release"><day>1</day><month>5</month><year>2024</year></pub-date><volume>124</volume><issue>11</issue><fpage>1075</fpage><lpage>1083</lpage><history><date date-type="received"><day>07</day><month>12</month><year>2023</year></date><date date-type="accepted"><day>05</day><month>4</month><year>2024</year></date></history><permissions><copyright-statement>
|
||||
The Author(s). This is an open access article published by Thieme under the terms of the Creative Commons Attribution-NonDerivative-NonCommercial License, permitting copying and reproduction so long as the original work is given appropriate credit. Contents may not be used for commercial purposes, or adapted, remixed, transformed or built upon. (
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://creativecommons.org/licenses/by-nc-nd/4.0/">https://creativecommons.org/licenses/by-nc-nd/4.0/</uri>
|
||||
)
|
||||
</copyright-statement><copyright-year>2024</copyright-year><copyright-holder>The Author(s).</copyright-holder><license><ali:license_ref xmlns:ali="http://www.niso.org/schemas/ali/1.0/" specific-use="textmining" content-type="ccbyncndlicense">https://creativecommons.org/licenses/by-nc-nd/4.0/</ali:license_ref><license-p>This is an open-access article distributed under the terms of the Creative Commons Attribution-NonCommercial-NoDerivatives License, which permits unrestricted reproduction and distribution, for non-commercial purposes only; and use and reproduction, but not distribution, of adapted material for non-commercial purposes only, provided the original work is properly cited.</license-p></license></permissions><abstract abstract-type="graphical"><p><bold>Background</bold>
|
||||
 Thromboangiitis obliterans (TAO) is a vascular condition characterized by poor prognosis and an unclear etiology. This study employs Mendelian randomization (MR) to investigate the causal impact of circulating inflammatory proteins on TAO.
|
||||
</p><p><bold>Methods</bold>
|
||||
 In this MR analysis, summary statistics from a genome-wide association study meta-analysis of 91 inflammation-related proteins were integrated with independently sourced TAO data from the FinnGen consortium's R10 release. Methods such as inverse variance weighting, MR–Egger regression, weighted median approaches, MR-PRESSO, and multivariable MR (MVMR) analysis were utilized.
|
||||
</p><p><bold>Results</bold>
|
||||
 The analysis indicated an association between higher levels of C–C motif chemokine 4 and a reduced risk of TAO, with an odds ratio (OR) of 0.44 (95% confidence interval [CI]: 0.29–0.67;
|
||||
<italic>p</italic>
|
||||
 = 1.4 × 10
|
||||
<sup>−4</sup>
|
||||
; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.013). Similarly, glial cell line-derived neurotrophic factor exhibited a suggestively protective effect against TAO (OR: 0.43, 95% CI: 0.22–0.81;
|
||||
<italic>p</italic>
|
||||
 = 0.010; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218). Conversely, higher levels of C–C motif chemokine 23 were suggestively linked to an increased risk of TAO (OR: 1.88, 95% CI: 1.21–2.93;
|
||||
<italic>p</italic>
|
||||
 = 0.005; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218). The sensitivity analysis and MVMR revealed no evidence of heterogeneity or pleiotropy.
|
||||
</p><p><bold>Conclusion</bold>
|
||||
 This study identifies C–C motif chemokine 4 and glial cell line-derived neurotrophic factor as potential protective biomarkers for TAO, whereas C–C motif chemokine 23 emerges as a suggestive risk marker. These findings elucidate potential causal relationships and highlight the significance of these proteins in the pathogenesis and prospective therapeutic strategies for TAO.
|
||||
</p><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-toc.jpg"/></abstract><kwd-group><title>Keywords</title><kwd>thromboangiitis obliterans</kwd><kwd>Mendelian randomization</kwd><kwd>inflammatory proteins</kwd><kwd>biomarkers</kwd><kwd>therapeutic target</kwd></kwd-group><funding-group><funding-statement><bold>Funding</bold>
|
||||
This research was funded by National High Level Hospital Clinical Research Funding (Interdepartmental Research Project of Peking University First Hospital) 2023IR32, the National Natural Science Foundation of China (82200537), and the Interdisciplinary Clinical Research Project of Peking University First Hospital, grant No. 2018CR33. The APC was funded by Peking University First Hospital.
|
||||
</funding-statement></funding-group></article-meta></front><body><sec><title>Introduction</title><p>
|
||||
Thromboangiitis obliterans (TAO), commonly referred to as Buerger's disease, is a distinct nonatherosclerotic, segmental inflammatory disorder that predominantly affects small- and medium-sized arteries and veins in both the upper and lower extremities.
|
||||
<xref rid="JR23120539-1" ref-type="bibr">1</xref>
|
||||
TAO, with an annual incidence of 12.6 per 100,000 in the United States, is observed worldwide but is more prevalent in the Middle East and Far East.
|
||||
<xref rid="JR23120539-1" ref-type="bibr">1</xref>
|
||||
The disease typically presents in patients <45 years of age. Despite over a century of recognition, advancements in comprehending its etiology, pathophysiology, and optimal treatment strategies have been limited.
|
||||
<xref rid="JR23120539-2" ref-type="bibr">2</xref>
|
||||
<xref rid="JR23120539-3" ref-type="bibr">3</xref>
|
||||
Vascular event-free survival and amputation-free survival rates at 5, 10, and 15 years are reported at 41 and 85%, 23 and 74%, and 19 and 66%, respectively.
|
||||
<xref rid="JR23120539-4" ref-type="bibr">4</xref>
|
||||
</p><p>
|
||||
An immune-mediated response is implicated in TAO pathogenesis.
|
||||
<xref rid="JR23120539-5" ref-type="bibr">5</xref>
|
||||
Recent studies have identified a balanced presence of CD4+ and CD8+ T cells near the internal lamina. Additionally, macrophages and S100+ dendritic cells are present in thrombi and intimal layers.
|
||||
<xref rid="JR23120539-5" ref-type="bibr">5</xref>
|
||||
<xref rid="JR23120539-6" ref-type="bibr">6</xref>
|
||||
Elevated levels of diverse cytokines in TAO patients highlight the critical importance of inflammatory and autoimmune mechanisms.
|
||||
<xref rid="JR23120539-2" ref-type="bibr">2</xref>
|
||||
<xref rid="JR23120539-7" ref-type="bibr">7</xref>
|
||||
Nonetheless, the clinical significance of these cytokines is yet to be fully understood, due to the scarcity of comprehensive experimental and clinical studies. Investigating circulating inflammatory proteins could shed light on the biological underpinnings of TAO, offering new diagnostic and therapeutic avenues.
|
||||
</p><p>
|
||||
Mendelian randomization (MR) is an approach that leverages genetic variants associated with specific exposures to infer causal relationships between risk factors and disease outcomes.
|
||||
<xref rid="JR23120539-8" ref-type="bibr">8</xref>
|
||||
This method, which relies on the random distribution of genetic variants during meiosis, helps minimize confounding factors and biases inherent in environmental or behavioral influences.
|
||||
<xref rid="JR23120539-9" ref-type="bibr">9</xref>
|
||||
It is particularly useful in addressing limitations of conventional observational studies and randomized controlled trials, especially for rare diseases like TAO.
|
||||
<xref rid="JR23120539-10" ref-type="bibr">10</xref>
|
||||
For a robust MR analysis, three critical assumptions must be met: the genetic variants should be strongly associated with the risk factor, not linked to confounding variables, and affect the outcome solely through the risk factor, excluding any direct causal pathways.
|
||||
<xref rid="JR23120539-10" ref-type="bibr">10</xref>
|
||||
In the present study, a MR was employed to evaluate the impact of genetically proxied inflammatory protein levels on the risk of developing TAO.
|
||||
</p></sec><sec><title>Materials and Methods</title><sec><title>Study Design</title><p>
|
||||
The current research represents a MR analysis conducted in accordance with STROBE-MR guidelines.
|
||||
<xref rid="JR23120539-11" ref-type="bibr">11</xref>
|
||||
Genetic variants associated with circulating inflammatory proteins were identified from a comprehensive genome-wide meta-analysis, which analyzed 91 plasma proteins in a sample of 14,824 individuals of European descent, spanning 11 distinct cohorts.
|
||||
<xref rid="JR23120539-12" ref-type="bibr">12</xref>
|
||||
This study utilized the Olink Target-96 Inflammation immunoassay panel to focus on 92 inflammation-related proteins. However, due to assay issues, brain-derived neurotrophic factor was subsequently removed from the panel by Olink, resulting in the inclusion of 91 proteins in the analysis. Protein quantitative trait locus (pQTL) mapping was employed to determine genetic impacts on these inflammation-related proteins. The data on these 91 plasma inflammatory proteins, including the pQTL findings, are accessible in the EBI GWAS Catalog (accession numbers GCST90274758 to GCST90274848).
|
||||
</p><p>
|
||||
Flowchart of the study is shown in
|
||||
<xref rid="FI23120539-1" ref-type="fig">Fig. 1</xref>
|
||||
. Summary statistics for TAO in the genome-wide association study (GWAS) were derived from the FinnGen consortium R10 release (finngen_R10_I9_THROMBANG). Launched in 2017, the FinnGen study is a comprehensive nationwide effort combining genetic information from Finnish biobanks with digital health records from national registries.
|
||||
<xref rid="JR23120539-13" ref-type="bibr">13</xref>
|
||||
The GWAS included a substantial cohort of 412,181 Finnish participants, analyzing 21,311,942 variants, with TAO cases (114) and controls (381,977) identified according to International Classification of Diseases (ICD)-8 (44310), ICD-9 (4431A), and ICD-10 (I73.1) classifications.
|
||||
</p><fig id="FI23120539-1"><label>Fig. 1</label><caption><p>
|
||||
The flowchart of the study. The whole workflow of MR analysis. GWAS, genome-wide association study; TAO, thromboangiitis obliterans; SNP, single nucleotide polymorphism; MR, Mendelian randomization.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-1"/></fig><p>All included studies had received approval from their respective institutional review boards and ethical committees.</p></sec><sec><title>Instrumental Variable Selection</title><p>
|
||||
We employed comprehensive GWAS summary statistics for 91 inflammation-related proteins to select genetic instruments. The criteria for eligibility included: (1) single nucleotide polymorphisms (SNPs) must exhibit a genome-wide significant association with each protein (
|
||||
<italic>p</italic>
|
||||
 < 5.0 × 10
|
||||
<sup>−6</sup>
|
||||
); (2) SNPs should be independently associated with the exposure, meaning they must not be in linkage disequilibrium (defined as
|
||||
<italic>r</italic>
|
||||
<sup>2</sup>
|
||||
 < 0.01, distance > 10,000 kb) with other SNPs for the same exposure; (3) the chosen genetic instruments must account for at least 0.1% of the exposure variance, ensuring sufficient strength for the genetic instrumental variables (IVs) to assess a causal effect. For each exposure, we harmonized IVs to ensure compatibility and consistency between different data sources and variables. Since smoking is a well-accepted risk factor for TAO, SNPs that were associated with smoking or thrombo-associated events were deleted for MR due to the PhenoScanner V2 database (http://www.phenoscanner.medschl.cam.ac.uk/), details are shown in
|
||||
<xref rid="SM23120539-1" ref-type="supplementary-material">Supplementary Table S1</xref>
|
||||
(available in the online version).
|
||||
<xref rid="JR23120539-14" ref-type="bibr">14</xref>
|
||||
</p></sec><sec><title>Statistical Analysis</title><p>
|
||||
The random-effects inverse variance weighted (IVW) method was used as the primary MR method to estimate the causal relationships between circulating inflammatory proteins and TAO. The IVW method offers a consistent estimate of the causal effect of exposure on the outcome, under the assumption that each genetic variant meets the IV criteria.
|
||||
<xref rid="JR23120539-15" ref-type="bibr">15</xref>
|
||||
<xref rid="JR23120539-16" ref-type="bibr">16</xref>
|
||||
For sensitivity analysis, multiple methods, including MR–Egger regression, MR pleiotropy Residual Sum and Outlier (MR-PRESSO), and weighted median approaches, were employed in this study to examine the robustness of results. An adaptation of MR–Egger regression is capable of identifying certain violations of standard IV assumptions, providing an adjusted estimate that is unaffected by these issues. This method also measures the extent of directional pleiotropy and serves as a robustness check.
|
||||
<xref rid="JR23120539-17" ref-type="bibr">17</xref>
|
||||
The weighted median is consistent even when up to 50% of the information comes from invalid IVs.
|
||||
<xref rid="JR23120539-18" ref-type="bibr">18</xref>
|
||||
For SNPs numbering more than three, MRPRESSO was employed to identify and adjust for horizontal pleiotropy. This method can pinpoint horizontal pleiotropic outliers among SNPs and deliver results matching those from IVW when outliers are absent.
|
||||
<xref rid="JR23120539-19" ref-type="bibr">19</xref>
|
||||
Leave-one-out analysis was conducted to determine if significant findings were driven by a single SNP. To mitigate potential pleiotropic effects attributable to smoking, a multivariable MR (MVMR) analysis incorporating adjustments for genetically predicted smoking behaviors was conducted. The GWAS data pertaining to smoking were sourced from the EBI GWAS Catalog (GCST90029014), ensuring no sample overlap with the FinnGen database.
|
||||
<xref rid="JR23120539-20" ref-type="bibr">20</xref>
|
||||
</p><p>
|
||||
Heterogeneity among individual SNP-based estimates was assessed using Cochran's Q value. In instances with only one SNP for the exposure, the Wald ratio method was applied, dividing the SNP–outcome association estimate by the SNP–exposure association estimate to determine the causal link. The F-statistic was estimated to evaluate the strength of each instrument, with an F-statistic greater than 10 indicating a sufficiently strong instrument.
|
||||
<xref rid="JR23120539-21" ref-type="bibr">21</xref>
|
||||
False discovery rate (FDR) correction was conducted by the Benjamini–Hochberg method, with a FDR of adjusted
|
||||
<italic>p</italic>
|
||||
 < 0.1. A suggestive association was considered when
|
||||
<italic>p</italic>
|
||||
 < 0.05 but adjusted
|
||||
<italic>p</italic>
|
||||
≥ 0.1. All analyses were two-sided and performed using the TwoSampleMR (version 0.5.8), MendelianRandomization (version 0.9.0), and MRPRESSO (version 1.0) packages in R software version 4.3.2.
|
||||
</p></sec></sec><sec><title>Results</title><sec><title>Selection of Instrumental Variables</title><p>
|
||||
The association between 91 circulating inflammatory proteins and TAO through the IVW method is detailed in
|
||||
<xref rid="SM23120539-1" ref-type="supplementary-material">Supplementary Table S2</xref>
|
||||
(available in the online version). After an extensive quality control review, 173 SNPs associated with six circulating inflammation-related proteins were identified as IVs for TAO. Notably, C–C motif chemokine 23 (CCL23) levels were linked to 30 SNPs, C–C motif chemokine 25 to 37 SNPs, C–C motif chemokine 28 to 21 SNPs, C–C motif chemokine 4 (CCL4) to 27 SNPs, glial cell line-derived neurotrophic factor (GDNF) to 22 SNPs, and stem cell factor to 36 SNPs.
|
||||
</p></sec><sec><title>The Causal Role of Inflammation-Related Proteins in TAO</title><p>
|
||||
Elevated genetically predicted CCL4 levels were linked to a decreased TAO risk, as shown in
|
||||
<xref rid="FI23120539-2" ref-type="fig">Fig. 2</xref>
|
||||
. Specifically, each unit increase in the genetically predicted level of CCL4 was associated with an odds ratio (OR) of 0.44 (95% confidence interval [CI]: 0.29–0.67;
|
||||
<italic>p</italic>
|
||||
 = 1.4 × 10
|
||||
<sup>−4</sup>
|
||||
; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.013) for TAO. Similarly, levels of C–C motif chemokine 28 (OR: 0.33; 95% CI: 0.12–0.91;
|
||||
<italic>p</italic>
|
||||
 = 0.034; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.579), GDNF (OR: 0.43, 95% CI: 0.22–0.81;
|
||||
<italic>p</italic>
|
||||
 = 0.010; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218), and stem cell factor (OR: 0.49, 95% CI: 0.29–0.84;
|
||||
<italic>p</italic>
|
||||
 = 0.009; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218) also showed a suggestive inverse association with TAO, as depicted in
|
||||
<xref rid="FI23120539-2" ref-type="fig">Fig. 2</xref>
|
||||
. Conversely, higher levels of genetically predicted CCL23 (OR: 1.88, 95% CI: 1.21–2.93;
|
||||
<italic>p</italic>
|
||||
 = 0.005; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218) and C–C motif chemokine 25 (OR: 1.44, 95% CI: 1.01–2.06;
|
||||
<italic>p</italic>
|
||||
 = 0.046; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.579) suggested an increased risk of TAO.
|
||||
</p><fig id="FI23120539-2"><label>Fig. 2</label><caption><p>
|
||||
Causal relationship between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-2"/></fig></sec><sec><title>Sensitivity Analysis</title><p>
|
||||
MR–Egger regression intercepts were not significantly different from zero, suggesting no horizontal pleiotropy (all intercept
|
||||
<italic>p</italic>
|
||||
 > 0.05), as depicted in
|
||||
<xref rid="FI23120539-2" ref-type="fig">Fig. 2</xref>
|
||||
. The MR-PRESSO test also found no pleiotropic outliers among these SNPs (
|
||||
<italic>p</italic>
|
||||
 > 0.05), further corroborating the absence of pleiotropy. Consistency with these findings was confirmed by the weighted median approach. Scatter plots illustrating the genetic associations with circulating inflammatory proteins and TAO are presented in
|
||||
<xref rid="FI23120539-3" ref-type="fig">Fig. 3</xref>
|
||||
. Cochran's Q test detected no heterogeneity among the genetic IVs for the measured levels (all
|
||||
<italic>p</italic>
|
||||
 > 0.1). Additionally, funnel plots showed no significant asymmetry, suggesting negligible publication bias and directional horizontal pleiotropy (
|
||||
<xref rid="FI23120539-4" ref-type="fig">Fig. 4</xref>
|
||||
). The robustness of these causal estimates was further validated by a leave-one-out analysis, demonstrating that no single IV disproportionately influenced the observed causal relationships, as shown in
|
||||
<xref rid="FI23120539-5" ref-type="fig">Fig. 5</xref>
|
||||
.
|
||||
</p><fig id="FI23120539-3"><label>Fig. 3</label><caption><p>
|
||||
Scatter plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-3"/></fig><fig id="FI23120539-4"><label>Fig. 4</label><caption><p>
|
||||
Funnel plots of circulating inflammatory proteins.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-4"/></fig><fig id="FI23120539-5"><label>Fig. 5</label><caption><p>
|
||||
Leave-one-out plots for the causal association between circulating inflammatory proteins and TAO. TAO, thromboangiitis obliterans.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-5"/></fig></sec><sec><title>MVMR Analysis</title><p><xref rid="FI23120539-6" ref-type="fig">Fig. 6</xref>
|
||||
reveals that, even after adjusting for genetically predicted smoking, the level of CCL4 still exerts a direct protective influence against TAO (IVW: OR= 0.54,
|
||||
<italic>p</italic>
|
||||
 = 0.009; MR–Egger:
|
||||
<italic>p</italic>
|
||||
 = 0.013, intercept
|
||||
<italic>p</italic>
|
||||
 = 0.843). The level of CCL23 is suggestively associated with an increased risk of TAO (IVW: OR = 2.24,
|
||||
<italic>p</italic>
|
||||
 = 0.011; MR–Egger:
|
||||
<italic>p</italic>
|
||||
 = 0.019, intercept
|
||||
<italic>p</italic>
|
||||
 = 0.978). GDNF levels show a suggestively protective effect against TAO (IVW: OR = 0.315,
|
||||
<italic>p</italic>
|
||||
 = 0.016; MR–Egger:
|
||||
<italic>p</italic>
|
||||
 = 0.020, intercept
|
||||
<italic>p</italic>
|
||||
 = 0.634). However, no significant direct impacts were observed for the levels of C–C motif chemokine 25 (
|
||||
<italic>p</italic>
|
||||
 = 0.079), C–C motif chemokine 28 (
|
||||
<italic>p</italic>
|
||||
 = 0.179), or stem cell factor (
|
||||
<italic>p</italic>
|
||||
 = 0.159) on TAO.
|
||||
</p><fig id="FI23120539-6"><label>Fig. 6</label><caption><p>
|
||||
Results from multivariable Mendelian randomization analysis on the impact of circulating inflammatory proteins on TAO, after adjusting for genetically predicted smoking. IVW, inverse variance weighting; TAO, thromboangiitis obliterans.
|
||||
</p></caption><graphic xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-i23120539-6"/></fig></sec></sec><sec><title>Discussion</title><p>This study utilized a two-sample and MVMR approach to evaluate the causal relationships between specific circulating inflammation-related proteins and TAO. Utilizing summary statistics from GWAS meta-analyses for these proteins, alongside TAO data from the FinnGen consortium R10 release and GWAS information on smoking, our findings underscore a protective influence of CCL4 and GDNF on TAO. In contrast, elevated levels of CCL23 emerge as potential risk indicators for TAO. These insights position these proteins as potential biomarkers for TAO, offering new avenues for understanding its pathogenesis.</p><p>
|
||||
C–C motif chemokines, a subfamily of small, secreted proteins, engage with G protein-coupled chemokine receptors on the cell surface, which are distinguished by directly juxtaposed cysteines.
|
||||
<xref rid="JR23120539-22" ref-type="bibr">22</xref>
|
||||
Their renowned function is to orchestrate cell migration, particularly of leukocytes, playing crucial roles in both protective and destructive immune and inflammatory responses.
|
||||
<xref rid="JR23120539-23" ref-type="bibr">23</xref>
|
||||
CCL4, also known as the macrophage inflammatory protein, is a significant member of the CC chemokine family. This protein, encoded by the CCL4 gene in humans, interacts with CCR5 and is identified as a pivotal human immunodeficiency virus-suppressive factor secreted by CD8+ T-cells.
|
||||
<xref rid="JR23120539-24" ref-type="bibr">24</xref>
|
||||
Additionally, its involvement has been increasingly recognized in cardiovascular diseases.
|
||||
<xref rid="JR23120539-23" ref-type="bibr">23</xref>
|
||||
While CCL4 exhibits a protective effect in Type 1 diabetes mellitus patients, it is also found to be elevated in conditions such as atherosclerosis and myocardial infarction.
|
||||
<xref rid="JR23120539-23" ref-type="bibr">23</xref>
|
||||
CCL4's ability to activate PI3K and MAPK signaling pathways and inhibit the NF-κB pathway contributes to the enhanced proliferation of porcine uterine luminal epithelial cells.
|
||||
<xref rid="JR23120539-25" ref-type="bibr">25</xref>
|
||||
This mechanism may elucidate CCL4's protective role in TAO, as demonstrated in this study (OR: 0.44; 95% CI: 0.29–0.67;
|
||||
<italic>p</italic>
|
||||
 = 1.4 × 10
|
||||
<sup>−4</sup>
|
||||
; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.013), highlighting its potential as both a biomarker and a therapeutic target.
|
||||
</p><p>
|
||||
CCL23, also known as myeloid progenitor inhibitory factor-1, represents another key member of the CC chemokine subfamily. It plays a role in the inflammatory process, capable of inhibiting the release of polymorphonuclear leukocytes from the bone marrow.
|
||||
<xref rid="JR23120539-26" ref-type="bibr">26</xref>
|
||||
As a relatively novel chemokine, CCL23's biological significance remains partially unexplored.
|
||||
<xref rid="JR23120539-27" ref-type="bibr">27</xref>
|
||||
Circulating CCL23 exhibited a continuous increase from baseline to 24 hours in ischemic stroke patients and could predict the clinical outcome after 3 months.
|
||||
<xref rid="JR23120539-28" ref-type="bibr">28</xref>
|
||||
Elevated blood levels of CCL23 have been linked with antineutrophil cytoplasmic antibody-associated vasculitis.
|
||||
<xref rid="JR23120539-29" ref-type="bibr">29</xref>
|
||||
Although its mechanisms are largely uncharted, CCL23 is known to facilitate the chemotaxis of human THP-1 monocytes, increase adhesion molecule CD11c expression, and stimulate MMP-2 release from THP-1 monocytes.
|
||||
<xref rid="JR23120539-30" ref-type="bibr">30</xref>
|
||||
Moreover, CCL23 can enhance leucocyte trafficking and direct the migration of monocytes, macrophages, dendritic cells, and T lymphocytes.
|
||||
<xref rid="JR23120539-27" ref-type="bibr">27</xref>
|
||||
This study posits CCL23 as a suggestive risk factor for TAO (OR: 1.88, 95% CI: 1.21–2.93;
|
||||
<italic>p</italic>
|
||||
 = 0.005; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218), warranting further investigation into its precise role.
|
||||
</p><p>
|
||||
GDNF was first discovered as a potent survival factor for midbrain dopaminergic neurons and has shown promise in preserving these neurons in animal models of Parkinson's disease.
|
||||
<xref rid="JR23120539-31" ref-type="bibr">31</xref>
|
||||
Recent studies have further elucidated GDNF's significance in neuronal safeguarding and cerebral recuperation.
|
||||
<xref rid="JR23120539-32" ref-type="bibr">32</xref>
|
||||
Additionally, GDNF has been implicated in inflammatory bowel disease (IBD), where it bolsters the integrity of the intestinal epithelial barrier and facilitates wound repair, while also exerting an immunomodulatory influence.
|
||||
<xref rid="JR23120539-33" ref-type="bibr">33</xref>
|
||||
<xref rid="JR23120539-34" ref-type="bibr">34</xref>
|
||||
In our study, GDNF is identified as a potential protective agent against TAO, with an OR of 0.43 (95% CI: 0.22–0.81;
|
||||
<italic>p</italic>
|
||||
 = 0.010; adjusted
|
||||
<italic>p</italic>
|
||||
 = 0.218). It is postulated that GDNF's protective mechanism in TAO may involve the inhibition of apoptosis through the activation of MAPK and AKT pathways, akin to its action in IBD.
|
||||
<xref rid="JR23120539-34" ref-type="bibr">34</xref>
|
||||
</p><p>This study utilized MR analysis to ascertain the causal relationship between circulating inflammation-related proteins and TAO. This approach was chosen to mitigate confounding factors and the potential reverse causation in causal inference. Genetic variations linked to these proteins were sourced from a recent GWAS meta-analysis, ensuring robust instrument strength in the MR analysis. MR-PRESSO and MR–Egger regression intercept tests were employed to assess the level of pleiotropy. A two-sample MR design was adopted, using nonoverlapping summary data for exposure and outcomes to minimize bias. An MVMR was finally performed to adjust the possible cofounding of smoking.</p><p>Nonetheless, this study is subject to several limitations. First, the absence of additional GWAS cohorts encompassing TAO precluded replication analysis, thereby constraining the validation of the causal relationship and impacting the study's credibility. Second, while the case count in our study is constrained, potentially increasing the likelihood of Type II errors, robust IVs were carefully chosen, and both sensitivity and MVMR analyses were conducted. These measures were taken to mitigate risks, and the outcomes affirm the study's resilience. Third, given that the FinnGen study exclusively comprised Finnish participants and considering the lower prevalence of TAO in Northeastern European countries compared with other regions globally, the findings' applicability may be somewhat restricted.</p></sec><sec><title>Conclusion</title><p>This two-sample and MVMR analysis reveals a protective effect of CCL4 and GDNF on TAO, and suggests a potential causal relationship between CCL23 and TAO. These findings offer new perspectives on potential biomarkers and therapeutic targets for TAO.</p></sec></body><back><sec><boxed-text content-type="backinfo"><p>
|
||||
<bold>What is known about this topic?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Thromboangiitis obliterans (TAO), or Buerger's disease, is a distinct, nonatherosclerotic inflammatory condition.</p></list-item><list-item><p>It primarily impacts small- and medium-sized arteries and veins in the extremities, with uncertain etiology and prognosis.</p></list-item><list-item><p>The disease is thought to involve an immune response, but evidence supporting this is limited.</p></list-item></list><p>
|
||||
<bold>What does this paper add?</bold>
|
||||
</p><list list-type="bullet"><list-item><p>Utilizes a two-sample and multivariable Mendelian randomization approach, integrating GWAS data of 91 inflammation-related proteins with TAO data.</p></list-item><list-item><p>Identifies C–C motif chemokine 4 and glial cell line-derived neurotrophic factor as potential protective biomarkers for TAO, offering new insights for diagnosis and treatment.</p></list-item><list-item><p>Suggests that C–C motif chemokine 23 emerges as a suggestive risk marker in TAO, offering new insights for diagnosis and treatment.</p></list-item></list></boxed-text></sec><ack><title>Acknowledgment</title><p>This manuscript underwent editing and enhancement by ChatGPT-4. We want to acknowledge the participants and investigators of the FinnGen study and the GWAS research for their generous sharing of data.</p></ack><fn-group><fn fn-type="COI-statement" id="d35e141"><p><bold>Conflict of Interest</bold> None declared.</p></fn></fn-group><fn-group><title>Data Availability Statement</title><fn id="FN23120539-2"><p>
|
||||
The datasets analyzed during the current study are available in the EBI GWAS Catalog (accession numbers GCST90274758 to GCST90274848 and GCST90029014),
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://www.ebi.ac.uk/gwas/">https://www.ebi.ac.uk/gwas/</uri>
|
||||
, and the FinnGen repository (finngen_R10_I9_THROMBANG),
|
||||
<uri xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="https://www.finngen.fi/en/access_results">https://www.finngen.fi/en/access_results</uri>
|
||||
.
|
||||
</p></fn></fn-group><fn-group><title>Ethical Approval Statement</title><fn id="FN23120539-3"><p>This research has been conducted using published studies and consortia providing publicly available summary statistics. All original studies have been approved by the corresponding ethical review board, and the participants have provided informed consent. In addition, no individual-level data were used in this study. Therefore, no new ethical review board approval was required</p></fn></fn-group><fn-group><title>Authors' Contribution</title><fn id="FN23120539-4"><p>Conception and design: M.Y. and B.Z. Administrative support: X.T. and Y.Z. Provision of study materials or patients: Z.Y. and G.N. Collection and assembly of data: B.Z., Z.Y., and R.H. Data analysis and interpretation: B.Z., R.H., and Z.Y. Manuscript writing: All authors. Final approval of manuscript: All authors.</p></fn></fn-group><fn-group><fn id="FN23120539-1"><label>*</label><p>
|
||||
<italic>These authors equally contributed to this paper and thus shared the co-first authorship.</italic>
|
||||
</p></fn></fn-group><sec sec-type="supplementary-material"><title>Supplementary Material</title><supplementary-material id="SM23120539-1"><media xmlns:xlink="http://www.w3.org/1999/xlink" xlink:href="10-1055-s-0044-1786809-s23120539.pdf"><caption><p>Supplementary Material</p></caption><caption><p>Supplementary Material</p></caption></media></supplementary-material></sec><ref-list><title>References</title><ref id="JR23120539-1"><label>1</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Olin</surname><given-names>J W</given-names></name></person-group><article-title>Thromboangiitis obliterans (Buerger's disease)</article-title><source>N Engl J Med</source><year>2000</year><volume>343</volume><issue>12</issue><fpage>864</fpage><lpage>869</lpage><pub-id pub-id-type="pmid">10995867</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-2"><label>2</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Sun</surname><given-names>X L</given-names></name><name><surname>Law</surname><given-names>B Y</given-names></name><name><surname>de Seabra Rodrigues Dias</surname><given-names>I R</given-names></name><name><surname>Mok</surname><given-names>S WF</given-names></name><name><surname>He</surname><given-names>Y Z</given-names></name><name><surname>Wong</surname><given-names>V K</given-names></name></person-group><article-title>Pathogenesis of thromboangiitis obliterans: gene polymorphism and immunoregulation of human vascular endothelial cells</article-title><source>Atherosclerosis</source><year>2017</year><volume>265</volume><fpage>258</fpage><lpage>265</lpage><pub-id pub-id-type="pmid">28864202</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-3"><label>3</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Olin</surname><given-names>J W</given-names></name></person-group><article-title>Thromboangiitis obliterans: 110 years old and little progress made</article-title><source>J Am Heart Assoc</source><year>2018</year><volume>7</volume><issue>23</issue><fpage>e011214</fpage><pub-id pub-id-type="pmid">30571606</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-4"><label>4</label><mixed-citation publication-type="journal"><collab>French Buerger's Network </collab><person-group person-group-type="author"><name><surname>Le Joncour</surname><given-names>A</given-names></name><name><surname>Soudet</surname><given-names>S</given-names></name><name><surname>Dupont</surname><given-names>A</given-names></name></person-group><etal/><article-title>Long-term outcome and prognostic factors of complications in thromboangiitis obliterans (Buerger's Disease): a multicenter study of 224 patients</article-title><source>J Am Heart Assoc</source><year>2018</year><volume>7</volume><issue>23</issue><fpage>e010677</fpage><pub-id pub-id-type="pmid">30571594</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-5"><label>5</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Ketha</surname><given-names>S S</given-names></name><name><surname>Cooper</surname><given-names>L T</given-names></name></person-group><article-title>The role of autoimmunity in thromboangiitis obliterans (Buerger's disease)</article-title><source>Ann N Y Acad Sci</source><year>2013</year><volume>1285</volume><fpage>15</fpage><lpage>25</lpage><pub-id pub-id-type="pmid">23510296</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-6"><label>6</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kobayashi</surname><given-names>M</given-names></name><name><surname>Ito</surname><given-names>M</given-names></name><name><surname>Nakagawa</surname><given-names>A</given-names></name><name><surname>Nishikimi</surname><given-names>N</given-names></name><name><surname>Nimura</surname><given-names>Y</given-names></name></person-group><article-title>Immunohistochemical analysis of arterial wall cellular infiltration in Buerger's disease (endarteritis obliterans)</article-title><source>J Vasc Surg</source><year>1999</year><volume>29</volume><issue>03</issue><fpage>451</fpage><lpage>458</lpage><pub-id pub-id-type="pmid">10069909</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-7"><label>7</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Dellalibera-Joviliano</surname><given-names>R</given-names></name><name><surname>Joviliano</surname><given-names>E E</given-names></name><name><surname>Silva</surname><given-names>J S</given-names></name><name><surname>Evora</surname><given-names>P R</given-names></name></person-group><article-title>Activation of cytokines corroborate with development of inflammation and autoimmunity in thromboangiitis obliterans patients</article-title><source>Clin Exp Immunol</source><year>2012</year><volume>170</volume><issue>01</issue><fpage>28</fpage><lpage>35</lpage><pub-id pub-id-type="pmid">22943198</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-8"><label>8</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Davey Smith</surname><given-names>G</given-names></name><name><surname>Hemani</surname><given-names>G</given-names></name></person-group><article-title>Mendelian randomization: genetic anchors for causal inference in epidemiological studies</article-title><source>Hum Mol Genet</source><year>2014</year><volume>23</volume>(R1):<fpage>R89</fpage><lpage>R98</lpage><pub-id pub-id-type="pmid">25064373</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-9"><label>9</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Emdin</surname><given-names>C A</given-names></name><name><surname>Khera</surname><given-names>A V</given-names></name><name><surname>Kathiresan</surname><given-names>S</given-names></name></person-group><article-title>Mendelian randomization</article-title><source>JAMA</source><year>2017</year><volume>318</volume><issue>19</issue><fpage>1925</fpage><lpage>1926</lpage><pub-id pub-id-type="pmid">29164242</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-10"><label>10</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Larsson</surname><given-names>S C</given-names></name><name><surname>Butterworth</surname><given-names>A S</given-names></name><name><surname>Burgess</surname><given-names>S</given-names></name></person-group><article-title>Mendelian randomization for cardiovascular diseases: principles and applications</article-title><source>Eur Heart J</source><year>2023</year><volume>44</volume><issue>47</issue><fpage>4913</fpage><lpage>4924</lpage><pub-id pub-id-type="pmid">37935836</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-11"><label>11</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Skrivankova</surname><given-names>V W</given-names></name><name><surname>Richmond</surname><given-names>R C</given-names></name><name><surname>Woolf</surname><given-names>B AR</given-names></name></person-group><etal/><article-title>Strengthening the reporting of observational studies in epidemiology using mendelian randomisation (STROBE-MR): explanation and elaboration</article-title><source>BMJ</source><year>2021</year><volume>375</volume><issue>2233</issue><fpage>n2233</fpage><pub-id pub-id-type="pmid">34702754</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-12"><label>12</label><mixed-citation publication-type="journal"><collab>Estonian Biobank Research Team </collab><person-group person-group-type="author"><name><surname>Zhao</surname><given-names>J H</given-names></name><name><surname>Stacey</surname><given-names>D</given-names></name><name><surname>Eriksson</surname><given-names>N</given-names></name></person-group><etal/><article-title>Genetics of circulating inflammatory proteins identifies drivers of immune-mediated disease risk and therapeutic targets</article-title><source>Nat Immunol</source><year>2023</year><volume>24</volume><issue>09</issue><fpage>1540</fpage><lpage>1551</lpage><pub-id pub-id-type="pmid">37563310</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-13"><label>13</label><mixed-citation publication-type="journal"><collab>FinnGen </collab><person-group person-group-type="author"><name><surname>Kurki</surname><given-names>M I</given-names></name><name><surname>Karjalainen</surname><given-names>J</given-names></name><name><surname>Palta</surname><given-names>P</given-names></name></person-group><etal/><article-title>FinnGen provides genetic insights from a well-phenotyped isolated population</article-title><source>Nature</source><year>2023</year><volume>613</volume><issue>7944</issue><fpage>508</fpage><lpage>518</lpage><pub-id pub-id-type="pmid">36653562</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-14"><label>14</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kamat</surname><given-names>M A</given-names></name><name><surname>Blackshaw</surname><given-names>J A</given-names></name><name><surname>Young</surname><given-names>R</given-names></name></person-group><etal/><article-title>PhenoScanner V2: an expanded tool for searching human genotype-phenotype associations</article-title><source>Bioinformatics</source><year>2019</year><volume>35</volume><issue>22</issue><fpage>4851</fpage><lpage>4853</lpage><pub-id pub-id-type="pmid">31233103</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-15"><label>15</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Burgess</surname><given-names>S</given-names></name><name><surname>Dudbridge</surname><given-names>F</given-names></name><name><surname>Thompson</surname><given-names>S G</given-names></name></person-group><article-title>Combining information on multiple instrumental variables in Mendelian randomization: comparison of allele score and summarized data methods</article-title><source>Stat Med</source><year>2016</year><volume>35</volume><issue>11</issue><fpage>1880</fpage><lpage>1906</lpage><pub-id pub-id-type="pmid">26661904</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-16"><label>16</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Yavorska</surname><given-names>O O</given-names></name><name><surname>Burgess</surname><given-names>S</given-names></name></person-group><article-title>MendelianRandomization: an R package for performing Mendelian randomization analyses using summarized data</article-title><source>Int J Epidemiol</source><year>2017</year><volume>46</volume><issue>06</issue><fpage>1734</fpage><lpage>1739</lpage><pub-id pub-id-type="pmid">28398548</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-17"><label>17</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bowden</surname><given-names>J</given-names></name><name><surname>Davey Smith</surname><given-names>G</given-names></name><name><surname>Burgess</surname><given-names>S</given-names></name></person-group><article-title>Mendelian randomization with invalid instruments: effect estimation and bias detection through Egger regression</article-title><source>Int J Epidemiol</source><year>2015</year><volume>44</volume><issue>02</issue><fpage>512</fpage><lpage>525</lpage><pub-id pub-id-type="pmid">26050253</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-18"><label>18</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Bowden</surname><given-names>J</given-names></name><name><surname>Davey Smith</surname><given-names>G</given-names></name><name><surname>Haycock</surname><given-names>P C</given-names></name><name><surname>Burgess</surname><given-names>S</given-names></name></person-group><article-title>Consistent estimation in mendelian randomization with some invalid instruments using a weighted median estimator</article-title><source>Genet Epidemiol</source><year>2016</year><volume>40</volume><issue>04</issue><fpage>304</fpage><lpage>314</lpage><pub-id pub-id-type="pmid">27061298</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-19"><label>19</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Verbanck</surname><given-names>M</given-names></name><name><surname>Chen</surname><given-names>C Y</given-names></name><name><surname>Neale</surname><given-names>B</given-names></name><name><surname>Do</surname><given-names>R</given-names></name></person-group><article-title>Detection of widespread horizontal pleiotropy in causal relationships inferred from Mendelian randomization between complex traits and diseases</article-title><source>Nat Genet</source><year>2018</year><volume>50</volume><issue>05</issue><fpage>693</fpage><lpage>698</lpage><pub-id pub-id-type="pmid">29686387</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-20"><label>20</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Loh</surname><given-names>P R</given-names></name><name><surname>Kichaev</surname><given-names>G</given-names></name><name><surname>Gazal</surname><given-names>S</given-names></name><name><surname>Schoech</surname><given-names>A P</given-names></name><name><surname>Price</surname><given-names>A L</given-names></name></person-group><article-title>Mixed-model association for biobank-scale datasets</article-title><source>Nat Genet</source><year>2018</year><volume>50</volume><issue>07</issue><fpage>906</fpage><lpage>908</lpage><pub-id pub-id-type="pmid">29892013</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-21"><label>21</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Staiger</surname><given-names>D</given-names></name><name><surname>James</surname><given-names>H</given-names></name></person-group><article-title>Stock. 1997.“instrumental variables with weak instruments.”</article-title><source>Econometrica</source><year>1997</year><volume>65</volume><fpage>557</fpage><lpage>586</lpage></mixed-citation></ref><ref id="JR23120539-22"><label>22</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Hughes</surname><given-names>C E</given-names></name><name><surname>Nibbs</surname><given-names>R JB</given-names></name></person-group><article-title>A guide to chemokines and their receptors</article-title><source>FEBS J</source><year>2018</year><volume>285</volume><issue>16</issue><fpage>2944</fpage><lpage>2971</lpage><pub-id pub-id-type="pmid">29637711</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-23"><label>23</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Chang</surname><given-names>T T</given-names></name><name><surname>Chen</surname><given-names>J W</given-names></name></person-group><article-title>Emerging role of chemokine CC motif ligand 4 related mechanisms in diabetes mellitus and cardiovascular disease: friends or foes?</article-title><source>Cardiovasc Diabetol</source><year>2016</year><volume>15</volume><issue>01</issue><fpage>117</fpage><pub-id pub-id-type="pmid">27553774</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-24"><label>24</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Irving</surname><given-names>S G</given-names></name><name><surname>Zipfel</surname><given-names>P F</given-names></name><name><surname>Balke</surname><given-names>J</given-names></name></person-group><etal/><article-title>Two inflammatory mediator cytokine genes are closely linked and variably amplified on chromosome 17q</article-title><source>Nucleic Acids Res</source><year>1990</year><volume>18</volume><issue>11</issue><fpage>3261</fpage><lpage>3270</lpage><pub-id pub-id-type="pmid">1972563</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-25"><label>25</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Lim</surname><given-names>W</given-names></name><name><surname>Bae</surname><given-names>H</given-names></name><name><surname>Bazer</surname><given-names>F W</given-names></name><name><surname>Song</surname><given-names>G</given-names></name></person-group><article-title>Characterization of C-C motif chemokine ligand 4 in the porcine endometrium during the presence of the maternal-fetal interface</article-title><source>Dev Biol</source><year>2018</year><volume>441</volume><issue>01</issue><fpage>146</fpage><lpage>158</lpage><pub-id pub-id-type="pmid">30056935</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-26"><label>26</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Shih</surname><given-names>C H</given-names></name><name><surname>van Eeden</surname><given-names>S F</given-names></name><name><surname>Goto</surname><given-names>Y</given-names></name><name><surname>Hogg</surname><given-names>J C</given-names></name></person-group><article-title>CCL23/myeloid progenitor inhibitory factor-1 inhibits production and release of polymorphonuclear leukocytes and monocytes from the bone marrow</article-title><source>Exp Hematol</source><year>2005</year><volume>33</volume><issue>10</issue><fpage>1101</fpage><lpage>1108</lpage><pub-id pub-id-type="pmid">16219532</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-27"><label>27</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Karan</surname><given-names>D</given-names></name></person-group><article-title>CCL23 in balancing the act of endoplasmic reticulum stress and antitumor immunity in hepatocellular carcinoma</article-title><source>Front Oncol</source><year>2021</year><volume>11</volume><fpage>727583</fpage><pub-id pub-id-type="pmid">34671553</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-28"><label>28</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Simats</surname><given-names>A</given-names></name><name><surname>García-Berrocoso</surname><given-names>T</given-names></name><name><surname>Penalba</surname><given-names>A</given-names></name></person-group><etal/><article-title>CCL23: a new CC chemokine involved in human brain damage</article-title><source>J Intern Med</source><year>2018</year><volume>283</volume><issue>05</issue><fpage>461</fpage><lpage>475</lpage><pub-id pub-id-type="pmid">29415332</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-29"><label>29</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Brink</surname><given-names>M</given-names></name><name><surname>Berglin</surname><given-names>E</given-names></name><name><surname>Mohammad</surname><given-names>A J</given-names></name></person-group><etal/><article-title>Protein profiling in presymptomatic individuals separates myeloperoxidase-antineutrophil cytoplasmic antibody and proteinase 3-antineutrophil cytoplasmic antibody vasculitides</article-title><source>Arthritis Rheumatol</source><year>2023</year><volume>75</volume><issue>06</issue><fpage>996</fpage><lpage>1006</lpage><pub-id pub-id-type="pmid">36533851</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-30"><label>30</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Kim</surname><given-names>C S</given-names></name><name><surname>Kang</surname><given-names>J H</given-names></name><name><surname>Cho</surname><given-names>H R</given-names></name></person-group><etal/><article-title>Potential involvement of CCL23 in atherosclerotic lesion formation/progression by the enhancement of chemotaxis, adhesion molecule expression, and MMP-2 release from monocytes</article-title><source>Inflamm Res</source><year>2011</year><volume>60</volume><issue>09</issue><fpage>889</fpage><lpage>895</lpage><pub-id pub-id-type="pmid">21656154</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-31"><label>31</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Saarma</surname><given-names>M</given-names></name><name><surname>Sariola</surname><given-names>H</given-names></name></person-group><article-title>Other neurotrophic factors: glial cell line-derived neurotrophic factor (GDNF)</article-title><source>Microsc Res Tech</source><year>1999</year><volume>45</volume>(4–5):<fpage>292</fpage><lpage>302</lpage><pub-id pub-id-type="pmid">10383122</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-32"><label>32</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Zhang</surname><given-names>Z</given-names></name><name><surname>Sun</surname><given-names>G Y</given-names></name><name><surname>Ding</surname><given-names>S</given-names></name></person-group><article-title>Glial cell line-derived neurotrophic factor and focal ischemic stroke</article-title><source>Neurochem Res</source><year>2021</year><volume>46</volume><issue>10</issue><fpage>2638</fpage><lpage>2650</lpage><pub-id pub-id-type="pmid">33591443</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-33"><label>33</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Chen</surname><given-names>H</given-names></name><name><surname>Han</surname><given-names>T</given-names></name><name><surname>Gao</surname><given-names>L</given-names></name><name><surname>Zhang</surname><given-names>D</given-names></name></person-group><article-title>The involvement of glial cell-derived neurotrophic factor in inflammatory bowel disease</article-title><source>J Interferon Cytokine Res</source><year>2022</year><volume>42</volume><issue>01</issue><fpage>1</fpage><lpage>7</lpage><pub-id pub-id-type="pmid">34846920</pub-id>
|
||||
</mixed-citation></ref><ref id="JR23120539-34"><label>34</label><mixed-citation publication-type="journal"><person-group person-group-type="author"><name><surname>Meir</surname><given-names>M</given-names></name><name><surname>Flemming</surname><given-names>S</given-names></name><name><surname>Burkard</surname><given-names>N</given-names></name><name><surname>Wagner</surname><given-names>J</given-names></name><name><surname>Germer</surname><given-names>C T</given-names></name><name><surname>Schlegel</surname><given-names>N</given-names></name></person-group><article-title>The glial cell-line derived neurotrophic factor: a novel regulator of intestinal barrier function in health and disease</article-title><source>Am J Physiol Gastrointest Liver Physiol</source><year>2016</year><volume>310</volume><issue>11</issue><fpage>G1118</fpage><lpage>G1123</lpage><pub-id pub-id-type="pmid">27151942</pub-id>
|
||||
</mixed-citation></ref></ref-list></back></article>
|
24
tests/data/xml/1349-7235-63-2593.nxml
Normal file
24
tests/data/xml/1349-7235-63-2593.nxml
Normal file
File diff suppressed because one or more lines are too long
219
tests/data/xml/1349-7235-63-2595.nxml
Normal file
219
tests/data/xml/1349-7235-63-2595.nxml
Normal file
File diff suppressed because one or more lines are too long
26
tests/data/xml/1349-7235-63-2621.nxml
Normal file
26
tests/data/xml/1349-7235-63-2621.nxml
Normal file
File diff suppressed because one or more lines are too long
98
tests/data/xml/1349-7235-63-2651.nxml
Normal file
98
tests/data/xml/1349-7235-63-2651.nxml
Normal file
File diff suppressed because one or more lines are too long
39
tests/data/xml/PMC4031984-elife-02866.nxml
Normal file
39
tests/data/xml/PMC4031984-elife-02866.nxml
Normal file
File diff suppressed because one or more lines are too long
2
tests/data/xml/pubmed-PMC13900.nxml
Normal file
2
tests/data/xml/pubmed-PMC13900.nxml
Normal file
File diff suppressed because one or more lines are too long
634
tests/data/xml/research.0509.nxml
Normal file
634
tests/data/xml/research.0509.nxml
Normal file
File diff suppressed because one or more lines are too long
66
tests/test_backend_xml.py
Normal file
66
tests/test_backend_xml.py
Normal file
@ -0,0 +1,66 @@
|
||||
import json
|
||||
import os
|
||||
from pathlib import Path
|
||||
|
||||
from docling_core.types.doc import DoclingDocument
|
||||
|
||||
from docling.datamodel.base_models import InputFormat
|
||||
from docling.datamodel.document import ConversionResult
|
||||
from docling.document_converter import DocumentConverter
|
||||
|
||||
GENERATE = False
|
||||
|
||||
|
||||
def get_xml_paths():
|
||||
directory = Path(os.path.dirname(__file__) + f"/data/xml/")
|
||||
xml_files = sorted(directory.rglob("*.nxml"))
|
||||
return xml_files
|
||||
|
||||
|
||||
def get_converter():
|
||||
converter = DocumentConverter(allowed_formats=[InputFormat.XML])
|
||||
return converter
|
||||
|
||||
|
||||
def verify_export(pred_text: str, gtfile: str):
|
||||
if not os.path.exists(gtfile) or GENERATE:
|
||||
with open(gtfile, "w") as fw:
|
||||
fw.write(pred_text)
|
||||
print(gtfile)
|
||||
return True
|
||||
else:
|
||||
with open(gtfile, "r") as fr:
|
||||
true_text = fr.read()
|
||||
assert pred_text == true_text, f"pred_text!=true_text for {gtfile}"
|
||||
return pred_text == true_text
|
||||
|
||||
|
||||
def test_e2e_xml_conversions():
|
||||
xml_paths = get_xml_paths()
|
||||
converter = get_converter()
|
||||
|
||||
for xml_path in xml_paths:
|
||||
gt_path = xml_path.parent.parent / "groundtruth" / "docling_v2" / xml_path.name
|
||||
conv_result: ConversionResult = converter.convert(xml_path)
|
||||
doc: DoclingDocument = conv_result.document
|
||||
|
||||
pred_md: str = doc.export_to_markdown()
|
||||
assert verify_export(pred_md, str(gt_path) + ".md"), "export to md"
|
||||
|
||||
pred_itxt: str = doc._export_to_indented_text(
|
||||
max_text_len=70, explicit_tables=False
|
||||
)
|
||||
assert verify_export(
|
||||
pred_itxt, str(gt_path) + ".itxt"
|
||||
), "export to indented-text"
|
||||
|
||||
pred_json: str = json.dumps(doc.export_to_dict(), indent=2)
|
||||
assert verify_export(pred_json, str(gt_path) + ".json"), "export to json"
|
||||
|
||||
|
||||
def main():
|
||||
test_e2e_xml_conversions()
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
Loading…
Reference in New Issue
Block a user