[automated] update transfemscience

This commit is contained in:
github-actions 2026-02-07 02:11:00 +00:00
parent 1dfebd82b3
commit c891e086f6
73 changed files with 560 additions and 116 deletions

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View file

@ -0,0 +1,45 @@
/* Hover References Popup Styling */
.reference-hover-box {
margin-top: 5px;
position: absolute;
z-index: 9999;
background-color: var(--background-color, #ffffff);
color: var(--font-color, #333333);
border: 1px solid var(--code-border-color, #ccc);
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.15), 0 8px 24px rgba(0, 0, 0, 0.1);
/* Deeper shadow */
padding: 8px;
border-radius: 4px;
max-width: 400px;
font-size: 0.9em;
line-height: 1.4;
pointer-events: auto;
/* Allow interaction with the box */
/* Ensure it handles overflow or long text gracefully */
word-wrap: break-word;
}
/* Dark mode support if variables are set */
html[data-theme='dark'] .reference-hover-box {
background-color: var(--background-color, #222);
/* Fallback to dark grey */
border-color: var(--code-border-color, #444);
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.4), 0 8px 24px rgba(0, 0, 0, 0.3);
}
/* Match link styles to article content links */
.reference-hover-box a {
color: var(--link-color);
text-decoration: none;
background-image: linear-gradient(var(--link-underline-color) 0%, var(--link-underline-color) 100%);
background-repeat: repeat-x;
background-position: 0 100%;
background-size: 1px 1px;
word-break: break-all;
}
.reference-hover-box a:hover {
background-image: linear-gradient(var(--link-underline-color-hover) 0%, var(--link-underline-color-hover) 100%);
}

View file

@ -0,0 +1,373 @@
/**
* Hover References Feature
*
* Matches inline citation links with their corresponding full reference
* from the reference list by comparing URLs (hrefs).
*/
(function () {
document.addEventListener('DOMContentLoaded', function () {
initHoverReferences();
});
function initHoverReferences() {
// 1. Find the References section and list
const referencesHeader = findReferencesHeader();
if (!referencesHeader) return;
// Helper to normalize URLs for matching
// 1. Decode URI (handles %5B vs [ mismatch)
// 2. Lowercase
const normalizeRefUrl = (url) => {
let u = "";
try {
u = decodeURI(url).toLowerCase();
} catch (e) {
u = url.toLowerCase();
}
u = u.replace(/^(https?:)?\/\//, '').replace(/^www\./, '');
// Check for archive.org URL (e.g. web.archive.org/web/20070430161048/http://... or .../20210717084442if_/...)
const archiveRegex = /^web\.archive\.org\/web\/\d+(?:if_)?\//;
if (archiveRegex.test(u)) {
u = u.replace(archiveRegex, '');
// Re-strip protocol and www from the target URL
u = u.replace(/^(https?:)?\/\//, '').replace(/^www\./, '');
}
return u.split('#')[0].replace(/\/$/, '');
};
// Find all reference lists within the References section
// The References section might have subsections, each with their own list
// We need to find the container element that encompasses all References content
// Strategy: Find the parent section/container, or collect all siblings until next same-level header
let referenceLists = [];
let currentElement = referencesHeader.nextElementSibling;
const headerLevel = parseInt(referencesHeader.tagName.charAt(1)) || 2;
while (currentElement) {
// Stop if we hit another header of same or higher level (lower number)
if (/^H[1-6]$/.test(currentElement.tagName)) {
const currentLevel = parseInt(currentElement.tagName.charAt(1));
if (currentLevel <= headerLevel) {
break; // End of References section
}
}
// Collect all UL and OL elements (including nested ones in subsections)
if (currentElement.tagName === 'UL' || currentElement.tagName === 'OL') {
referenceLists.push(currentElement);
}
// Also check for lists inside divs or other container elements
const nestedLists = currentElement.querySelectorAll('ul, ol');
nestedLists.forEach(list => referenceLists.push(list));
currentElement = currentElement.nextElementSibling;
}
if (referenceLists.length === 0) return;
// 2. Parse all reference list items from all lists
// Map of "URL" -> HTML content
const urlMap = new Map();
referenceLists.forEach(referenceList => {
const listItems = referenceList.querySelectorAll(':scope > li'); // Direct children only to avoid duplicates
listItems.forEach(item => {
// Find all links in the reference item
const links = item.querySelectorAll('a');
links.forEach(link => {
const rawHref = link.getAttribute('href');
if (rawHref && !rawHref.startsWith('#')) { // Ignore anchor links if any
const href = normalizeRefUrl(rawHref); // Normalized for storage
// Store the item HTML for this URL
// If multiple refs share a URL (unlikely but possible), the last one wins,
// or we could store an array. For citations, usually unique DOI/URL per ref.
urlMap.set(href, item.innerHTML);
}
});
});
});
// 3. Find inline citation links
// We look for links inside the article body
const articleBody = document.getElementById('article');
if (!articleBody) return;
const links = articleBody.querySelectorAll('a');
// Create the hover box element
const hoverBox = document.createElement('div');
hoverBox.classList.add('reference-hover-box');
hoverBox.style.display = 'none';
document.body.appendChild(hoverBox);
let hideTimeout;
// Keep box open when hovering over it
hoverBox.addEventListener('mouseenter', () => {
if (hideTimeout) clearTimeout(hideTimeout);
});
hoverBox.addEventListener('mouseleave', () => {
hideTimeout = setTimeout(() => {
hoverBox.style.display = 'none';
}, 100);
});
links.forEach(link => {
const rawHref = link.getAttribute('href');
// Skip links inside any of the reference lists
const isInReferenceList = referenceLists.some(list => list.contains(link));
if (isInReferenceList) return;
// We only care if the link HAS an href and it's in our map
if (rawHref && !rawHref.startsWith('#')) {
const exactHref = normalizeRefUrl(rawHref);
const baseHref = exactHref.split('#')[0];
let bestMatchHTML = urlMap.get(exactHref);
if (!bestMatchHTML) {
bestMatchHTML = urlMap.get(baseHref);
}
// Fallback for unmatched links (e.g. Wiki links, or refs without date/year)
// User requested to show just the URL, but ONLY if it looks like a ref (in parentheses)
if (!bestMatchHTML) {
// Check if the link itself contains parentheses with a year (e.g. "(2005)" or "(2005a)" or "(Aly, 2020)")
// We allow other text inside the parens, but it MUST contain a year-like number.
const yearParensRegex = /\([^)]*\b\d{4}[a-z]?\b[^)]*\)/i;
const textHasParens = link.textContent.includes('(') || link.textContent.includes(')');
const textMatchingParensYear = yearParensRegex.test(link.textContent);
// Check if enclosed in parentheses or brackets by walking siblings
let isEnclosed = false;
// We only scan if:
// 1. The text itself doesn't contain matching parens (if it does, we already know if it's valid or not)
// OR
// 2. The text doesn't contain parens at all (so we look for surrounding ones)
if (!textMatchingParensYear && !textHasParens) {
// If text has parens but didn't match yearParensRegex, it's invalid (e.g. "Kuhl (Citation)")
// So we only scan if text does NOT have parens.
let openParenCount = 0;
let openBracketCount = 0;
let foundOpen = false;
let curr = link.previousSibling;
let scans = 0;
const MAX_SCANS = 100; // Reasonable lookbehind limit
while (curr && scans < MAX_SCANS) {
if (curr.nodeType === 3) { // Text node
const txt = curr.textContent;
// Count parens from right to left
for (let i = txt.length - 1; i >= 0; i--) {
const c = txt[i];
if (c === ')') openParenCount--;
else if (c === '(') openParenCount++;
else if (c === ']') openBracketCount--;
else if (c === '[') openBracketCount++;
if (openParenCount > 0 || openBracketCount > 0) {
foundOpen = true;
break;
}
}
} else if (curr.nodeType === 1) { // Element node
const tagName = curr.tagName;
// Stop at block boundaries
if (/^(DIV|P|BODY|MAIN|SECTION|BLOCKQUOTE|UL|OL|LI|TABLE|BR|HR|H[1-6])$/.test(tagName)) {
break;
}
// Check text content of inline elements
const txt = curr.textContent;
for (let i = txt.length - 1; i >= 0; i--) {
const c = txt[i];
if (c === ')') openParenCount--;
else if (c === '(') openParenCount++;
else if (c === ']') openBracketCount--;
else if (c === '[') openBracketCount++;
if (openParenCount > 0 || openBracketCount > 0) {
foundOpen = true;
break;
}
}
}
if (foundOpen) break;
curr = curr.previousSibling;
scans++;
}
if (foundOpen) {
isEnclosed = true;
}
}
if (textMatchingParensYear || isEnclosed) {
let displayUrl = rawHref;
if (rawHref.startsWith('/')) {
displayUrl = 'https://transfemscience.org' + rawHref;
}
bestMatchHTML = `<div class="fallback-url-content"><a href="${rawHref}" target="_blank">${displayUrl}</a></div>`;
}
}
if (bestMatchHTML) {
link.classList.add('reference-link');
link.addEventListener('mouseenter', (e) => {
// Clear any pending hide timeout
if (hideTimeout) clearTimeout(hideTimeout);
hoverBox.innerHTML = bestMatchHTML;
hoverBox.style.display = 'block';
// Use getClientRects to handle multi-line links; find the rect under the mouse
const rects = link.getClientRects();
let rect = rects.length > 0 ? rects[0] : link.getBoundingClientRect();
// Find the rect that contains the mouse Y position
if (rects.length > 1) {
let bestRect = rects[0];
let minDistance = Infinity;
for (let i = 0; i < rects.length; i++) {
const r = rects[i];
// Check if mouse Y is within this rect's vertical bounds
if (e.clientY >= r.top && e.clientY <= r.bottom) {
bestRect = r;
break; // Found exact line match
}
// Fallback: distance to vertical center
const centerY = r.top + (r.height / 2);
const dist = Math.abs(e.clientY - centerY);
if (dist < minDistance) {
minDistance = dist;
bestRect = r;
}
}
rect = bestRect;
}
// Positioning
let top = rect.bottom + window.scrollY; // 0px gap
let left = rect.left + window.scrollX;
// Boundary checks
if (left + hoverBox.offsetWidth > window.innerWidth) {
left = window.innerWidth - hoverBox.offsetWidth - 10;
}
hoverBox.style.top = `${top}px`;
hoverBox.style.left = `${left}px`;
});
link.addEventListener('mouseleave', () => {
// Set a timeout to hide the box, giving time to move into it
hideTimeout = setTimeout(() => {
hoverBox.style.display = 'none';
}, 100);
// Mobile Long Press Support (Touch) AND Desktop Click-and-Hold
let longPressTimer;
let isLongPress = false;
const startPress = (e) => {
// Only left click for mouse (button 0)
if (e.type === 'mousedown' && e.button !== 0) return;
isLongPress = false;
longPressTimer = setTimeout(() => {
isLongPress = true;
// Show hover box
if (hideTimeout) clearTimeout(hideTimeout);
hoverBox.innerHTML = bestMatchHTML;
hoverBox.style.display = 'block';
hoverBox.style.display = 'block';
const rects = link.getClientRects();
const rect = rects.length > 0 ? rects[0] : link.getBoundingClientRect();
let top = rect.bottom + window.scrollY;
let left = rect.left + window.scrollX;
if (left + hoverBox.offsetWidth > window.innerWidth) {
left = window.innerWidth - hoverBox.offsetWidth - 10;
}
hoverBox.style.top = `${top}px`;
hoverBox.style.left = `${left}px`;
}, 500); // 500ms for long press
};
const cancelPress = () => {
clearTimeout(longPressTimer);
};
const endPress = (e) => {
clearTimeout(longPressTimer);
if (isLongPress) {
e.preventDefault(); // Prevent default action (click/navigate)
// Note for desktop: 'click' event might still fire after mouseup if we don't prevent it there too
}
};
// Touch Listeners
link.addEventListener('touchstart', startPress, { passive: true });
link.addEventListener('touchend', endPress);
link.addEventListener('touchmove', cancelPress);
// Mouse Listeners (Desktop)
link.addEventListener('mousedown', startPress);
link.addEventListener('mouseup', endPress);
link.addEventListener('mouseleave', cancelPress);
link.addEventListener('click', (e) => {
if (isLongPress) {
e.preventDefault();
e.stopPropagation();
isLongPress = false; // Reset
}
});
link.addEventListener('contextmenu', (e) => {
if (isLongPress) {
e.preventDefault(); // Prevent default context menu
isLongPress = false; // Reset
}
});
});
}
}
});
}
function findReferencesHeader() {
// Try by ID first
let header = document.getElementById('references');
if (header) return header;
// Try by text content
const headers = document.querySelectorAll('h1, h2, h3, h4, h5, h6');
for (const h of headers) {
if (h.textContent.trim().toLowerCase() === 'references') {
return h;
}
}
return null;
}
})();

View file

@ -1 +1 @@
<?xml version="1.0" encoding="utf-8"?><feed xmlns="http://www.w3.org/2005/Atom" ><generator uri="https://jekyllrb.com/" version="3.10.0">Jekyll</generator><link href="https://transfemscience.org/feed-posts.xml" rel="self" type="application/atom+xml" /><link href="https://transfemscience.org/" rel="alternate" type="text/html" /><updated>2025-12-20T18:17:02-08:00</updated><id>https://transfemscience.org/feed-posts.xml</id><title type="html">Transfeminine Science</title><subtitle>Transfeminine Science is a site for information on hormone therapy for transfeminine people.</subtitle><author><name>Transfeminine Science</name></author></feed>
<?xml version="1.0" encoding="utf-8"?><feed xmlns="http://www.w3.org/2005/Atom" ><generator uri="https://jekyllrb.com/" version="3.10.0">Jekyll</generator><link href="https://transfemscience.org/feed-posts.xml" rel="self" type="application/atom+xml" /><link href="https://transfemscience.org/" rel="alternate" type="text/html" /><updated>2026-02-06T16:23:17-08:00</updated><id>https://transfemscience.org/feed-posts.xml</id><title type="html">Transfeminine Science</title><subtitle>Transfeminine Science is a site for information on hormone therapy for transfeminine people.</subtitle><author><name>Transfeminine Science</name></author></feed>

View file

@ -1,4 +1,4 @@
<?xml version="1.0" encoding="utf-8"?><feed xmlns="http://www.w3.org/2005/Atom" ><generator uri="https://jekyllrb.com/" version="3.10.0">Jekyll</generator><link href="https://transfemscience.org/feed.xml" rel="self" type="application/atom+xml" /><link href="https://transfemscience.org/" rel="alternate" type="text/html" /><updated>2025-12-20T18:17:02-08:00</updated><id>https://transfemscience.org/feed.xml</id><title type="html">Transfeminine Science | Articles</title><subtitle>Transfeminine Science is a site for information on hormone therapy for transfeminine people.</subtitle><author><name>Transfeminine Science</name></author><entry><title type="html">A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People</title><link href="https://transfemscience.org/articles/hair-loss/" rel="alternate" type="text/html" title="A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People" /><published>2025-09-08T18:00:00-07:00</published><updated>2025-09-09T00:00:00-07:00</updated><id>https://transfemscience.org/articles/hair-loss</id><content type="html" xml:base="https://transfemscience.org/articles/hair-loss/"><![CDATA[<h1 id="a-review-of-pharmaceutical-interventions-for-scalp-hair-loss-and-implications-for-transfeminine-people">A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People</h1>
<?xml version="1.0" encoding="utf-8"?><feed xmlns="http://www.w3.org/2005/Atom" ><generator uri="https://jekyllrb.com/" version="3.10.0">Jekyll</generator><link href="https://transfemscience.org/feed.xml" rel="self" type="application/atom+xml" /><link href="https://transfemscience.org/" rel="alternate" type="text/html" /><updated>2026-02-06T16:23:17-08:00</updated><id>https://transfemscience.org/feed.xml</id><title type="html">Transfeminine Science | Articles</title><subtitle>Transfeminine Science is a site for information on hormone therapy for transfeminine people.</subtitle><author><name>Transfeminine Science</name></author><entry><title type="html">A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People</title><link href="https://transfemscience.org/articles/hair-loss/" rel="alternate" type="text/html" title="A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People" /><published>2025-09-08T18:00:00-07:00</published><updated>2025-09-09T00:00:00-07:00</updated><id>https://transfemscience.org/articles/hair-loss</id><content type="html" xml:base="https://transfemscience.org/articles/hair-loss/"><![CDATA[<h1 id="a-review-of-pharmaceutical-interventions-for-scalp-hair-loss-and-implications-for-transfeminine-people">A Review of Pharmaceutical Interventions for Scalp Hair Loss and Implications for Transfeminine People</h1>
<!-- Supports up to four authors per article currently (author, author2, author3, author4) -->
@ -38,7 +38,7 @@
<p>In the United States, finasteride prescriptions have increased exponentially in recent years, largely driven by its use in the treatment of hair loss (<a href="https://www.americanhairloss.org/booming-demand-us-sees-200-surge-in-finasteride-prescriptions-over-7-years/">AHLA, 2024</a>). Dutasteride prescriptions are far fewer, estimated in the hundreds of thousands, but also growing due to increased use for AGA. This difference is largely due to finasteride being widely licensed for this indication throughout the world, whilst dutasteride remains off-label in most countries (<a href="https://doi.org/10.1152/physrev.00005.2024">Altendorf et al., 2025</a>). However, dutasteride is licensed for use in the treatment of AGA in South Korea, Japan and Mexico. Increasing interest is driving further adoption and research into its use.</p>
<p>Despite its use for AGA being mostly off-label, dutasteride is now widely regarded as a more efficacious and hence superior 5-ARI than finasteride. Numerous studies have established that dutasteride results in greater suppression of serum DHT concentrations (i.e., about 70% with finasteride vs 9095% with dutasteride) (<a href="https://doi.org/10.1210/jc.2003-030330">Clark et al., 2004</a>; <a href="https://doi.org/10.1016/j.jaad.2006.05.007">Olsen et al., 2006</a>; <a href="https://doi.org/10.1210/jc.2006-2203">Amory et al., 2007</a>; <a href="https://doi.org/10.1016/j.talanta.2014.07.087">Upreti et al., 2015</a>). Another study directly comparing scalp tissue concentrations found that dutasteride reduced DHT substantially more than finasteride (mean reduction of about 65% with finasteride versus 90% with dutasteride, though with wide interindividual variation). (<a href="https://doi.org/10.1016/j.cca.2023.117456">Hobo et al., 2023</a>). These differences have been primarily attributed to its broader inhibition of the 5α-reductase enzyme. More specifically, finasteride is a selective inhibitor of type II and III 5α-reductase, whereas dutasteride indiscriminately acts on all three isoforms (<a href="https://doi.org/10.1016/S0009-9236(98)90054-6">Gisleskog et al., 1998</a>; <a href="https://doi.org/10.2165/00003495-200868040-00008">Keam &amp; Scott, 2008</a>; <a href="https://doi.org/10.1515/HMBCI.2010.035">Yamana, Labrie, &amp; Luu-The, 2010</a>). Dutasteride has also been theorised to accumulate inside certain tissues, further enhancing its therapeutic effect.</p>
<p>Despite its use for AGA being mostly off-label, dutasteride is now widely regarded as a more efficacious and hence superior 5-ARI than finasteride. Numerous studies have established that dutasteride results in greater suppression of serum DHT concentrations (i.e., about 70% with finasteride vs 9095% with dutasteride) (<a href="https://doi.org/10.1210/jc.2003-030330">Clark et al., 2004</a>; <a href="https://doi.org/10.1016/j.jaad.2006.05.007">Olsen et al., 2006</a>; <a href="https://doi.org/10.1210/jc.2006-2203">Amory et al., 2007</a>; <a href="https://doi.org/10.1016/j.talanta.2014.07.087">Upreti et al., 2015</a>). Another study directly comparing scalp tissue concentrations found that dutasteride reduced DHT substantially more than finasteride (mean reduction of about 65% with finasteride versus 90% with dutasteride, though with wide interindividual variation) (<a href="https://doi.org/10.1016/j.cca.2023.117456">Hobo et al., 2023</a>). These differences have been primarily attributed to its broader inhibition of the 5α-reductase enzyme. More specifically, finasteride is a selective inhibitor of type II and III 5α-reductase, whereas dutasteride indiscriminately acts on all three isoforms (<a href="https://doi.org/10.1016/S0009-9236(98)90054-6">Gisleskog et al., 1998</a>; <a href="https://doi.org/10.2165/00003495-200868040-00008">Keam &amp; Scott, 2008</a>; <a href="https://doi.org/10.1515/HMBCI.2010.035">Yamana, Labrie, &amp; Luu-The, 2010</a>). Dutasteride has also been theorised to accumulate inside certain tissues, further enhancing its therapeutic effect.</p>
<p>In accordance with the above, two large network meta-analysis studies found that oral dutasteride is superior to oral and topical finasteride in the treatment of male AGA in terms of both total hair density and terminal hair density (<a href="https://doi.org/10.1111/jocd.16362">Gupta et al., 2024a</a>; <a href="https://doi.org/10.1111/jocd.70320">Gupta et al., 2025a</a>). These studies also found the effects of finasteride and dutasteride to be dose-dependent. On average, there was no difference between treatment groups using oral and topical finasteride. A systematic review found that dutasteride was superior to finasteride in some studies in terms of hair thickness (<a href="https://doi.org/10.4081/dr.2024.9909">Almudimeegh et al., 2024</a>). However, in contrast to the above findings in the case of male AGA, a network meta-analysis of studies investigating different interventions for female AGA found that clinical trials assessing the effectiveness of dutasteride do not yet exist (<a href="https://doi.org/10.1111/jocd.15910">Gupta et al., 2024b</a>). Notably, oral finasteride given at a dose of 1 mg/day was not found to be effective in treating female AGA, yet oral finasteride used at a dose of 5 mg/day outperformed all other single-agent interventions. Because of the dose-dependent effects of 5-ARIs, it could well be that dutasteride might be more efficacious than finasteride in the treatment of female AGA, as in male AGA. Hopefully, future clinical trials will shed light on this.</p>
@ -92,7 +92,7 @@
<p>A retrospective study of users of oral minoxidil investigated the frequency of adverse effects in both men and women receiving a median dose of 1.63 mg/day (<a href="https://doi.org/10.1016/j.jaad.2021.02.054">Vañó-Galván et al., 2021</a>). The following were found to occur: <a href="https://en.wikipedia.org/wiki/Hypertrichosis">hypertrichosis</a> (excessive facial/body hair) in 15.1%, lightheadedness in 1.7%, fluid retention in 1.3%, tachycardia in 0.9%, headache in 0.4%, periorbital edema (temporary swelling around the eyes) in 0.3%, and insomnia in 0.2%. The total frequency of adverse effects was 20.4%, which prompted discontinuation in 1.2% of users, overall. Another study reported an overall hypertrichosis incidence of 24%, with the highest rates being found in the sideburns (81%), temples (73%), arms (63%), and upper lip (51%) (<a href="https://doi.org/10.1016/j.jaad.2020.08.124">Jimenez-Cauhe et al., 2021</a>). By contrast, topical minoxidil is associated with much lower overall rates of hypertrichosis. Most studies have reported incidence rates of between 0 and 5% (<a href="https://doi.org/10.1016/j.jaad.2003.06.014">Lucky et al., 2004</a>; <a href="http://jddonline.com/articles/dermatology/S1545961616P0883X">Blume-Peytavi et al., 2016</a>; <a href="https://doi.org/10.1016/j.jaad.2019.08.060">Ramos et al., 2020</a>; <a href="https://doi.org/10.1001/jamadermatol.2024.0284">Penha et al., 2024</a>; <a href="https://doi.org/10.1016/j.pdpdt.2024.103966">Yang et al., 2024</a>). These findings are consistent with a meta-analysis that reported point estimates of incidence rates for hypertrichosis of 10%, 15%, and 33% for oral minoxidil at 0.25 mg/day, 0.5 mg/day, and 1.25 mg/day, respectively, and 0% and 2% for topical minoxidil at a 2% and 5% concentration, respectively (<a href="https://doi.org/10.1016/j.jdrv.2025.02.013">Wiechert et al., 2025</a>). Despite this, the discontinuation rate across all studies was 0.49%. There also seemed to be no statistically significant difference between the rate of discontinuation for oral and topical formulations, suggesting that hypertrichosis appears to be very well tolerated.</p>
<p>A concern associated with the use of oral minoxidil is its potential impact on cardiovascular health (<a href="https://doi.org/10.5070/D32946186">Ibraheim et al., 2023</a>). Since tachycardia can increase myocardial workload and lead to symptoms such as palpitations or chest discomfort, oral minoxidil should be approached cautiously, especially by individuals with underlying cardiovascular issues. Fortunately, the overall risk of severe cardiovascular complications from low-dose oral minoxidil seems to be very low in the general population (<a href="https://doi.org/10.1016/j.jaad.2020.06.1009">Randolph &amp; Tosti, 2021</a>; <a href="https://doi.org/10.1016/j.jaad.2021.02.054">Vañó-Galván et al., 2021</a>). Meanwhile, skin reactions appear to be relatively common in users of topical minoxidil. This often manifests as scalp eczema and itching, although rates of incidence vary by study (<a href="https://doi.org/10.1016/j.jaad.2003.06.014">Lucky et al., 2004</a>; <a href="https://doi.org/10.2174/187221312800166859">Rossi et al., 2012</a>; <a href="https://doi.org/10.1001/jamadermatol.2024.0284">Penha et al., 2024</a>). The culprit behind this irritating effect appears not to be minoxidil itself, but rather the ingredients in certain formulations such as propylene glycol (<a href="https://doi.org/10.2147/DDDT.S214907">Suchonwanit, Thammarucha, &amp; Leerunyakul, 2019</a>). These solvents help deliver minoxidil into the scalp, but are known to cause skin irritation in susceptible individuals. It also appears that, for most people, long-term topical minoxidil therapy may be precluded by non-compliance (<a href="https://doi.org/10.1080/09546630701383727">Ali Mapar &amp; Omidian, 2007</a>; <a href="https://doi.org/10.1007/s13555-023-00919-x">Shadi, 2023</a>).</p>
<p>A concern associated with the use of oral minoxidil is its potential impact on cardiovascular health (<a href="https://doi.org/10.5070/D329461861">Ibraheim et al., 2023</a>). Since tachycardia can increase myocardial workload and lead to symptoms such as palpitations or chest discomfort, oral minoxidil should be approached cautiously, especially by individuals with underlying cardiovascular issues. Fortunately, the overall risk of severe cardiovascular complications from low-dose oral minoxidil seems to be very low in the general population (<a href="https://doi.org/10.1016/j.jaad.2020.06.1009">Randolph &amp; Tosti, 2021</a>; <a href="https://doi.org/10.1016/j.jaad.2021.02.054">Vañó-Galván et al., 2021</a>). Meanwhile, skin reactions appear to be relatively common in users of topical minoxidil. This often manifests as scalp eczema and itching, although rates of incidence vary by study (<a href="https://doi.org/10.1016/j.jaad.2003.06.014">Lucky et al., 2004</a>; <a href="https://doi.org/10.2174/187221312800166859">Rossi et al., 2012</a>; <a href="https://doi.org/10.1001/jamadermatol.2024.0284">Penha et al., 2024</a>). The culprit behind this irritating effect appears not to be minoxidil itself, but rather the ingredients in certain formulations such as propylene glycol (<a href="https://doi.org/10.2147/DDDT.S214907">Suchonwanit, Thammarucha, &amp; Leerunyakul, 2019</a>). These solvents help deliver minoxidil into the scalp, but are known to cause skin irritation in susceptible individuals. It also appears that, for most people, long-term topical minoxidil therapy may be precluded by non-compliance (<a href="https://doi.org/10.1080/09546630701383727">Ali Mapar &amp; Omidian, 2007</a>; <a href="https://doi.org/10.1007/s13555-023-00919-x">Shadi, 2023</a>).</p>
<p>The increase in overall body hair growth (i.e., hypertrichosis) is arguably the most consequential side effects for transfeminine people found to occur with minoxidil. As noted above, hypertrichosis is much more common with oral minoxidil than with topical minoxidil. This is a result of the differences in pharmacology between these routes and the extensive systemic absorption that occurs in the case of the former (<a href="https://doi.org/10.1016/j.jdrv.2024.08.002">Desai et al., 2024</a>; <a href="https://doi.org/10.1016/j.jdrv.2025.02.013">Wiechert et al., 2025</a>). In transmasculine people, an increase in body hair growth and diameter could be beneficial. However, these effects are usually not desired by transfeminine people. Consequently, some transfeminine people may prefer to use topical minoxidil over oral minoxidil, despite possible benefits to effectiveness from the latter in some individuals.</p>
@ -161,7 +161,7 @@
<li>Angus, L. M., Hong, Q. V., Cheung, A. S., &amp; Nolan, B. J. (2024). Effect of bicalutamide on serum total testosterone concentration in transgender adults: a case series. <em>Therapeutic Advances in Endocrinology and Metabolism</em>, <em>15</em>, 20420188241305022. [DOI:<a href="https://doi.org/10.1177/20420188241305022">10.1177/20420188241305022</a>]</li>
<li>Angus, L. M., Nolan, B. J., Zajac, J. D., &amp; Cheung, A. S. (2021). A systematic review of antiandrogens and feminization in transgender women. <em>Clinical Endocrinology</em>, <em>94</em>(5), 743752. [DOI:<a href="https://doi.org/10.1111/cen.14329">10.1111/cen.14329</a>]</li>
<li>Asad, N., Naseer, M., &amp; Ghafoor, R. (2024). Efficacy of Topical Finasteride 0.25% With Minoxidil 5% Versus Topical Minoxidil 5% Alone in Treatment of Male Pattern Androgenic Alopecia, <em>Journal of Drugs in Dermatology</em>, <em>23</em>(11), 10031008. [DOI:<a href="https://doi.org/10.36849/JDD.7826">10.36849/JDD.7826</a>]</li>
<li>Barbieri, J. S., Margolis, D. J., &amp; Mostaghimi, A. (2021). Temporal trends and clinician variability in potassium monitoring of healthy young women treated for acne with spironolactone. <em>JAMA Dermatology</em>, <em>157</em>(3), 296300. [DOI:<a href="ttps://doi.org/10.1001/jamadermatol.2020.5468">10.1001/jamadermatol.2020.5468</a>]</li>
<li>Barbieri, J. S., Margolis, D. J., &amp; Mostaghimi, A. (2021). Temporal trends and clinician variability in potassium monitoring of healthy young women treated for acne with spironolactone. <em>JAMA Dermatology</em>, <em>157</em>(3), 296300. [DOI:<a href="https://doi.org/10.1001/jamadermatol.2020.5468">10.1001/jamadermatol.2020.5468</a>]</li>
<li>Basendwh, M. A., Alharbi, A. A., Bukhamsin, S. A., Abdulwahab, R. A., &amp; Alaboud, S. A. (2024). The efficacy of Topical Clascoterone versus systematic spironolactone for treatment of acne vulgaris: A systematic review and network meta-analysis. <em>Plos One</em>, <em>19</em>(5), e0298155. [DOI:<a href="https://doi.org/10.1371/journal.pone.0298155">10.1371/journal.pone.0298155</a>]</li>
<li>Blume-Peytavi, U., Lönnfors, S., Hillmann, K., &amp; Bartels, N. G. (2012). A randomized double-blind placebo-controlled pilot study to assess the efficacy of a 24-week topical treatment by latanoprost 0.1% on hair growth and pigmentation in healthy volunteers with androgenetic alopecia. <em>Journal of the American Academy of Dermatology</em>, <em>66</em>(5), 794800. [DOI:<a href="https://doi.org/10.1016/j.jaad.2011.05.026">10.1016/j.jaad.2011.05.026</a>]</li>
<li>Blume-Peytavi, U., Shapiro, J., Messenger, A. G., Hordinsky, M. K., Zhang, P., Quiza, C., Doshi, U., &amp; Olsen, E. A. (2016). Efficacy and Safety of Once-Daily Minoxidil Foam 5% Versus Twice-Daily Minoxidil Solution 2% in Female Pattern Hair Loss: A Phase III, Randomized, Investigator-Blinded Study. <em>Journal of Drugs in Dermatology</em>, <em>15</em>(7), 883889. [<a href="https://scholar.google.com/scholar?cluster=8270793349343310006">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/27391640/">PubMed</a>] [<a href="http://jddonline.com/articles/dermatology/S1545961616P0883X">URL</a>]</li>
@ -202,7 +202,7 @@
<li>Goren, A., &amp; Naccarato, T. (2018). Minoxidil in the treatment of androgenetic alopecia. <em>Dermatologic Therapy</em>, <em>31</em>(5), e12686. [DOI:<a href="https://doi.org/10.1111/dth.12686">10.1111/dth.12686</a>]</li>
<li>Guo, M., Heran, B., Flannigan, R., Kezouh, A., &amp; Etminan, M. (2016). Persistent sexual dysfunction with finasteride 1 mg taken for hair loss. <em>Pharmacotherapy: The Journal of Human Pharmacology and Drug Therapy</em>, <em>36</em>(11), 11801184. [DOI:<a href="https://doi.org/10.1002/phar.1837">10.1002/phar.1837</a>]</li>
<li>Gupta, A. K., Venkataraman, M., Talukder, M., &amp; Bamimore, M. A. (2022). Relative efficacy of minoxidil and the 5-α reductase inhibitors in androgenetic alopecia treatment of male patients: a network meta-analysis. <em>JAMA Dermatology</em>, <em>158</em>(3), 266274. [DOI:<a href="https://doi.org/10.1001/jamadermatol.2021.5743">10.1001/jamadermatol.2021.5743</a>]</li>
<li>Gupta, A. K., Hall, D. C., Talukder, M., &amp; Bamimore, M. A. (2022). There is a positive dose-dependent association between low-dose oral minoxidil and its efficacy for androgenetic alopecia: findings from a systematic review with meta-regression analyses. <em>Skin Appendage Disorders</em>, <em>8</em>(5), 355361. [DOI:<a href="https://doi.org/10.1159/00524137">10.1159/000525137</a>]</li>
<li>Gupta, A. K., Hall, D. C., Talukder, M., &amp; Bamimore, M. A. (2022). There is a positive dose-dependent association between low-dose oral minoxidil and its efficacy for androgenetic alopecia: findings from a systematic review with meta-regression analyses. <em>Skin Appendage Disorders</em>, <em>8</em>(5), 355361. [DOI:<a href="https://doi.org/10.1159/000525137">10.1159/000525137</a>]</li>
<li>Gupta, A. K., Talukder, M., Shemar, A., Piraccini, B. M., &amp; Tosti, A. (2023). Low-dose oral minoxidil for alopecia: a comprehensive review. <em>Skin Appendage Disorders</em>, <em>9</em>(6), 423437. [DOI:<a href="https://doi.org/10.1159/000531890">10.1159/000531890</a>]</li>
<li>Gupta, A. K., Bamimore, M. A., Wang, T., &amp; Talukder, M. (2024). The impact of monotherapies for male androgenetic alopecia: A network metaanalysis study. <em>Journal of Cosmetic Dermatology</em>, <em>23</em>(9), 29642972. [DOI:<a href="https://doi.org/10.1111/jocd.16362">10.1111/jocd.16362</a>]</li>
<li>Gupta, A. K., Wang, T., Bamimore, M. A., &amp; Talukder, M. (2024). The relative effect of monotherapy with 5alpha reductase inhibitors and minoxidil for female pattern hair loss: A network metaanalysis study. <em>Journal of Cosmetic Dermatology</em>, <em>23</em>(1), 154160. [DOI:<a href="https://doi.org/10.1111/jocd.15910">10.1111/jocd.15910</a>]</li>
@ -211,6 +211,7 @@
<li>Gupta, M. A., Vujcic, B., &amp; Gupta, A. K. (2020). Finasteride Use Is Associated with Higher Odds of Obstructive Sleep Apnea: Results from the US Food and Drug Administration Adverse Events Reporting System. <em>Skinmed</em>, <em>18</em>(3), 146150. [<a href="https://scholar.google.com/scholar?cluster=4285850779076353231">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/32790610/">PubMed</a>]</li>
<li>Hebert, A., Thiboutot, D., Gold, L. S., Cartwright, M., Gerloni, M., Fragasso, E., &amp; Mazzetti, A. (2020). Efficacy and safety of topical clascoterone cream, 1%, for treatment in patients with facial acne: two phase 3 randomized clinical trials. <em>JAMA Dermatology</em>, <em>156</em>(6), 621630. [DOI:<a href="https://doi.org/10.1001/jamadermatol.2020.0465">10.1001/jamadermatol.2020.0465</a>]</li>
<li>Hirshburg, J. M., Kelsey, P. A., Therrien, C. A., Gavino, A. C., &amp; Reichenberg, J. S. (2016). Adverse effects and safety of 5-alpha reductase inhibitors (finasteride, dutasteride): a systematic review. <em>The Journal of Clinical and Aesthetic Dermatology</em>, <em>9</em>(7), 5662. [<a href="https://scholar.google.com/scholar?cluster=7755818768076719034">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/27672412/">PubMed</a>] [<a href="https://pmc.ncbi.nlm.nih.gov/articles/PMC5023004/">PubMed Central</a>] [<a href="https://pmc.ncbi.nlm.nih.gov/articles/PMC5023004/pdf/jcad_9_7_56.pdf">PDF</a>]</li>
<li>Hobo, Y., Nishikawa, J., Taniguchi Asai, N., Yoneyama, K., Watanabe, Y., Miyashiro, Y., &amp; Fujikata, A. (2023). Evaluation of the therapeutic effects of AGA drugs by measuring finasteride, dutasteride, and dihydrotestosterone in hair. <em>Clinica Chimica Acta</em>, <em>547</em>, 117456. [DOI:<a href="https://doi.org/10.1016/j.cca.2023.117456">10.1016/j.cca.2023.117456</a>]</li>
<li>Hu, R., Xu, F., Sheng, Y., Qi, S., Han, Y., Miao, Y., Rui, W., &amp; Yang, Q. (2015). Combined treatment with oral finasteride and topical minoxidil in male androgenetic alopecia: a randomized and comparative study in Chinese patients. <em>Dermatologic Therapy</em>, <em>28</em>(5), 303308. [DOI:<a href="https://doi.org/10.1111/dth.12246">10.1111/dth.12246</a>]</li>
<li>Ibraheim, M. K., Elsensohn, A., Hauschild, C., Hilliard, A., &amp; Dao, H. (2023). Low dose oral minoxidil and the conundrum of cardiovascular complications. <em>Dermatology Online Journal</em>, <em>29</em>(4). [DOI:<a href="https://doi.org/10.5070/D329461861">10.5070/D329461861</a>]</li>
<li>Imperato-McGinley, J., &amp; Zhu, Y. S. (2002). Androgens and male physiology the syndrome of 5α-reductase-2 deficiency. <em>Molecular and Cellular Endocrinology</em>, <em>198</em>(12), 5159. [DOI:<a href="https://doi.org/10.1016/S0303-7207(02)00368-4">10.1016/S0303-7207(02)00368-4</a>]</li>
@ -257,11 +258,11 @@
<li>Pirastu, N., Joshi, P. K., de Vries, P. S., Cornelis, M. C., McKeigue, P. M., Keum, N., Franceschini, N., Colombo, M., Giovannucci, E. L., Spiliopoulou, A., Franke, L., North, K. E., Kraft, P., Morrison, A. C., Esko, T., &amp; Wilson, J. F. (2017). GWAS for male-pattern baldness identifies 71 susceptibility loci explaining 38% of the risk. <em>Nature Communications</em>, <em>8</em>(1), 1584. [DOI:<a href="https://doi.org/10.1038/s41467-017-01490-8">10.1038/s41467-017-01490-8</a>]</li>
<li>Prince, J. C. J., &amp; Safer, J. D. (2020). Endocrine treatment of transgender individuals: current guidelines and strategies. <em>Expert Review of Endocrinology &amp; Metabolism</em>, <em>15</em>(6), 395403. [DOI:<a href="https://doi.org/10.1080/17446651.2020.1825075">10.1080/17446651.2020.1825075</a>]</li>
<li>Randolph, M., &amp; Tosti, A. (2021). Oral minoxidil treatment for hair loss: a review of efficacy and safety. <em>Journal of the American Academy of Dermatology</em>, <em>84</em>(3), 737746. [DOI:<a href="https://doi.org/10.1016/j.jaad.2020.06.1009">10.1016/j.jaad.2020.06.1009</a>]</li>
<li>Ramos, P. M., Sinclair, R. D., Kasprzak, M., &amp; Miot, H. A. (2020). Minoxidil 1 mg oral versus minoxidil 5% topical solution for the treatment of female-pattern hair loss: a randomized clinical trial. <em>Journal of the American Academy of Dermatology</em>, <em>82</em>(1), 252253. [DOI:<a href="tps://doi.org/10.1016/j.jaad.2019.08.060">10.1016/j.jaad.2019.08.060</a>]</li>
<li>Rosenthal, A., Conde, G., Greco, J. F., &amp; Gharavi, N. M. (2024). Management of androgenic alopecia: a systematic review of the literature. <em>Journal of Cosmetic and Laser Therapy</em>, <em>26</em>(14), 116. [DOI:<a href="tps://doi.org/10.1080/14764172.2024.2362126">10.1080/14764172.2024.2362126</a>]</li>
<li>Ramos, P. M., Sinclair, R. D., Kasprzak, M., &amp; Miot, H. A. (2020). Minoxidil 1 mg oral versus minoxidil 5% topical solution for the treatment of female-pattern hair loss: a randomized clinical trial. <em>Journal of the American Academy of Dermatology</em>, <em>82</em>(1), 252253. [DOI:<a href="https://doi.org/10.1016/j.jaad.2019.08.060">10.1016/j.jaad.2019.08.060</a>]</li>
<li>Rosenthal, A., Conde, G., Greco, J. F., &amp; Gharavi, N. M. (2024). Management of androgenic alopecia: a systematic review of the literature. <em>Journal of Cosmetic and Laser Therapy</em>, <em>26</em>(14), 116. [DOI:<a href="https://doi.org/10.1080/14764172.2024.2362126">10.1080/14764172.2024.2362126</a>]</li>
<li>Rossi, A., Cantisani, C., Melis, L., Iorio, A., Scali, E., &amp; Calvieri, S. (2012). Minoxidil use in dermatology, side effects and recent patents. <em>Recent Patents on Inflammation &amp; Allergy Drug Discovery</em>, <em>6</em>(2), 130136. [DOI:<a href="https://doi.org/10.2174/187221312800166859">10.2174/187221312800166859</a>]</li>
<li>Rossi, A., &amp; Caro, G. (2024). Efficacy of the association of topical minoxidil and topical finasteride compared to their use in monotherapy in men with androgenetic alopecia: A prospective, randomized, controlled, assessor blinded, 3arm, pilot trial. <em>Journal of Cosmetic Dermatology</em>, <em>23</em>(2), 502509. [DOI:<a href="https://doi.org/10.1111/jocd.15953">10.1111/jocd.15953</a>]</li>
<li>Ryu, H. K., Kim, K. M., Yoo, E. A., Sim, W. Y., &amp; Chung, B. C. (2006). Evaluation of androgens in the scalp hair and plasma of patients with malepattern baldness before and after finasteride administration. <em>British Journal of Dermatology</em>, <em>154</em>(4), 730734. [DOI:<a href="https://doi.org/10.4103/ijd.ijd_729_23">10.4103/ijd.ijd_729_23</a>]</li>
<li>Ryu, H. K., Kim, K. M., Yoo, E. A., Sim, W. Y., &amp; Chung, B. C. (2006). Evaluation of androgens in the scalp hair and plasma of patients with malepattern baldness before and after finasteride administration. <em>British Journal of Dermatology</em>, <em>154</em>(4), 730734. [DOI:<a href="https://doi.org/10.1111/j.1365-2133.2005.07072.x">10.1111/j.1365-2133.2005.07072.x</a>]</li>
<li>Saceda-Corralo, D., Domínguez-Santas, M., Vañó-Galván, S., &amp; Grimalt, R. (2023). Whats new in therapy for male androgenetic alopecia? <em>American Journal of Clinical Dermatology</em>, <em>24</em>(1), 1524. [DOI:<a href="https://doi.org/10.1007/s40257-022-00730-y">10.1007/s40257-022-00730-y</a>]</li>
<li>Sadasivam, I. P., Sambandam, R., Kaliyaperumal, D., &amp; Dileep, J. E. (2024). Androgenetic Alopecia in Men: An Update On Genetics. <em>Indian Journal of Dermatology</em>, <em>69</em>(3), 282. [DOI:<a href="https://doi.org/10.4103/ijd.ijd_729_23">10.4103/ijd.ijd_729_23</a>]</li>
<li>Sanabria, B. D., Perdomo, Y. C., Miot, H. A., &amp; Ramos, P. M. (2024). Oral minoxidil 7.5 mg for hair loss increases heart rate with no change in blood pressure in 24 h Holter and 24 h ambulatory blood pressure monitoring. <em>Anais Brasileiros de Dermatologia</em>, <em>99</em>(5), 734736. [DOI:<a href="https://doi.org/10.1016/j.abd.2023.08.016">10.1016/j.abd.2023.08.016</a>]</li>
@ -599,6 +600,8 @@ Using the term desistence in this way does not imply anything about the identity
<ul>
<li>Achille, C., Taggart, T., Eaton, N. R., Osipoff, J., Tafuri, K., Lane, A., &amp; Wilson, T. A. (2020). Longitudinal impact of gender-affirming endocrine intervention on the mental health and well-being of transgender youths: preliminary results. <em>International Journal of Pediatric Endocrinology</em>, <em>2020</em>, 8. [DOI:<a href="https://doi.org/10.1186/s13633-020-00078-2">10.1186/s13633-020-00078-2</a>]</li>
<li>Aly. (2018). An Introduction to Hormone Therapy for Transfeminine People. <em>Transfeminine Science</em>. [<a href="/articles/transfem-intro/">URL</a>]</li>
<li>Aly. (2020). Approximate Comparable Dosages of Estradiol by Different Routes. <em>Transfeminine Science</em>. [<a href="/articles/e2-equivalent-doses/">URL</a>]</li>
<li>Antoniazzi, F., Zamboni, G., Bertoldo, F., Lauriola, S., Mengarda, F., Pietrobelli, A., &amp; Tatò, L. (2003). Bone mass at final height in precocious puberty after gonadotropin-releasing hormone agonist with and without calcium supplementation. <em>The Journal of Clinical Endocrinology and Metabolism</em>, <em>88</em>(3), 10961101. [DOI:<a href="https://doi.org/10.1210/jc.2002-021154">10.1210/jc.2002-021154</a>]</li>
<li>Arnoldussen, M., Steensma, T. D., Popma, A., van der Miesen, A., Twisk, J., &amp; de Vries, A. (2020). Re-evaluation of the Dutch approach: are recently referred transgender youth different compared to earlier referrals? <em>European Child &amp; Adolescent Psychiatry</em>, <em>29</em>(6), 803811. [DOI:<a href="https://doi.org/10.1007/s00787-019-01394-6">10.1007/s00787-019-01394-6</a>]</li>
<li>Bakwin, H. (1968). Deviant gender-role behavior in children: relation to homosexuality. <em>Pediatrics</em>, <em>41</em>(3), 620629. [<a href="https://pubmed.ncbi.nlm.nih.gov/5641781/">PubMed</a>] [DOI:<a href="https://publications.aap.org/pediatrics/article-abstract/41/3/620/74522/DEVIANT-GENDER-ROLE-BEHAVIOR-IN-CHILDREN-RELATION">10.1542/peds.41.3.620</a>]</li>
@ -773,6 +776,8 @@ Using the term desistence in this way does not imply anything about the identity
<ul>
<li>Abbott Laboratories. (2009). <em>Estradiol. Architect System.</em> Abbott Park, Illinois/Wiesbaden, Germany: Abbott Laboratories. [<a href="https://web.archive.org/web/20200127014925/http://www.ilexmedical.com/files/PDF/Estradiol_ARC.pdf">PDF</a>]</li>
<li>Aly. (2020). Estrogens and Their Influences on Coagulation and Risk of Blood Clots. <em>Transfeminine Science</em>. [<a href="/articles/estrogens-blood-clots/">URL</a>]</li>
<li>Aly. (2021). An Informal Meta-Analysis of Estradiol Curves with Injectable Estradiol Preparations. <em>Transfeminine Science</em>. [<a href="/articles/injectable-e2-meta-analysis/">URL</a>]</li>
<li>Behre, H. M., Abshagen, K., Oettel, M., Hubler, D., &amp; Nieschlag, E. (1999). Intramuscular injection of testosterone undecanoate for the treatment of male hypogonadism: phase I studies. <em>European Journal of Endocrinology</em>, <em>140</em>(5), 414419. [DOI:<a href="https://doi.org/10.1530/eje.0.1400414">10.1530/eje.0.1400414</a>]</li>
</ul>]]></content><author><name>{&quot;first_name&quot;=&gt;&quot;Aly&quot;, &quot;last_name&quot;=&gt;&quot;W.&quot;, &quot;author-link&quot;=&gt;&quot;/about/#aly&quot;, &quot;articles-link&quot;=&gt;&quot;/articles-by-author/aly/&quot;}</name></author><category term="github" /><category term="workspace" /><summary type="html"><![CDATA[An Interactive Web Simulator for Estradiol Levels with Injectable Estradiol Esters By Aly | First published July 16, 2021 | Last modified April 12, 2023]]></summary><media:thumbnail xmlns:media="http://search.yahoo.com/mrss/" url="https://transfemscience.org/assets/images/injectable-e2/simulator-screenie.png" /><media:content medium="image" url="https://transfemscience.org/assets/images/injectable-e2/simulator-screenie.png" xmlns:media="http://search.yahoo.com/mrss/" /></entry><entry><title type="html">An Informal Meta-Analysis of Estradiol Curves with Injectable Estradiol Preparations</title><link href="https://transfemscience.org/articles/injectable-e2-meta-analysis/" rel="alternate" type="text/html" title="An Informal Meta-Analysis of Estradiol Curves with Injectable Estradiol Preparations" /><published>2021-07-16T12:00:00-07:00</published><updated>2025-05-08T00:00:00-07:00</updated><id>https://transfemscience.org/articles/injectable-e2-meta-analysis</id><content type="html" xml:base="https://transfemscience.org/articles/injectable-e2-meta-analysis/"><![CDATA[<h1 id="an-informal-meta-analysis-of-estradiol-curves-with-injectable-estradiol-preparations">An Informal Meta-Analysis of Estradiol Curves with Injectable Estradiol Preparations</h1>
@ -790,7 +795,7 @@ Using the term desistence in this way does not imply anything about the identity
<p>Estradiol is the main estrogen used in transfeminine hormone therapy and is available in a variety of different forms for use by different <a href="https://en.wikipedia.org/wiki/Route_of_administration">routes of administration</a>. The most commonly employed forms are <a href="https://en.wikipedia.org/wiki/Oral_estradiol">oral</a>, <a href="https://en.wikipedia.org/wiki/Sublingual_estradiol">sublingual</a>, <a href="https://en.wikipedia.org/wiki/Transdermal_estradiol">transdermal</a>, and <a href="https://en.wikipedia.org/wiki/Injectable_estradiol">injectable</a> preparations. Injectable estradiol preparations have been discontinued in many countries and hence are unavailable for use in transfeminine hormone therapy in many parts of the world, for instance in most of Europe (<a href="https://doi.org/10.1530/EJE-21-0059">Glintborg et al., 2021</a>). However, they are still used by many transfeminine people particularly in the United States and in the <a href="https://en.wikipedia.org/wiki/Self-medication">do-it-yourself</a> (DIY) community. The most commonly used forms include <a href="https://en.wikipedia.org/wiki/Estradiol_valerate">estradiol valerate</a>, <a href="https://en.wikipedia.org/wiki/Estradiol_cypionate">estradiol cypionate</a>, and <a href="https://en.wikipedia.org/wiki/Estradiol_enanthate">estradiol enanthate</a> all in oil. Injectable estradiol preparations have certain advantages over other estradiol forms that make them a popular choice for use in transfeminine hormone therapy. These include often lower cost, capacity to easily achieve higher estradiol levels that can be useful for <a href="https://en.wikipedia.org/wiki/Pharmacodynamics_of_estradiol#Antigonadotropic_effects">testosterone suppression</a>, less frequent administration, and theoretically reduced health risks relative to oral estradiol at equivalent doses due to the lack of the <a href="https://en.wikipedia.org/wiki/First_pass_effect">first pass</a> with this route (<a href="/articles/estrogens-blood-clots/">Aly, 2020</a>). The higher estradiol levels with injections are particularly useful for estradiol monotherapy, in which an antiandrogen is not used.</p>
<p>Clinically used injectable estradiol preparations are formulated not as estradiol but as <a href="https://en.wikipedia.org/wiki/Estrogen_ester">estradiol esters</a>. When <a href="https://en.wikipedia.org/wiki/Intramuscular_injection">injected into muscle</a> or <a href="https://en.wikipedia.org/wiki/Subcutaneous_injection">fat</a> in <a href="https://en.wikipedia.org/wiki/Oil_solution">oil solutions</a> or <a href="https://en.wikipedia.org/wiki/Aqueous_suspension">crystalline aqueous suspensions</a>, these estradiol esters form <a href="https://en.wikipedia.org/wiki/Depot_injection">depots</a> at the injection site from which they are slowly released. Subsequent to release, estradiol esters are rapidly <a href="https://en.wikipedia.org/wiki/Metabolism">metabolized</a> into estradiol and hence act as <a href="https://en.wikipedia.org/wiki/Prodrug">prodrugs</a>. When estradiol itself is given by intramuscular injection in an <a href="https://en.wikipedia.org/wiki/Aqueous_solution">aqueous solution</a> or oil solution, it is rapidly absorbed and has a very short duration. Due to having lipophilic <a href="https://en.wikipedia.org/wiki/Ester">esters</a>, most clinically used injectable estradiol esters are more <a href="https://en.wikipedia.org/wiki/Lipophilicity">fat-soluble</a> than estradiol (as measured by <a href="https://en.wikipedia.org/wiki/Octanol-water_partition_coefficient">oilwater partition coefficient</a> (P)) (<a href="https://en.wikipedia.org/wiki/Template:Structural_properties_of_selected_estradiol_esters">Table</a>). When these esters are administered as oil solutions by intramuscular or subcutaneous injection, their increased lipophilicity causes them to be released from the injection-site depot more slowly than estradiol and to therefore have longer durations. In the case of <a href="https://en.wikipedia.org/wiki/Fatty_acid">fatty acid</a> esters, the longer the chain length of the ester—as in e.g. <a href="https://en.wikipedia.org/wiki/Estradiol_valerate">estradiol valerate</a> (5 carbons) vs. <a href="https://en.wikipedia.org/wiki/Estradiol_enanthate">estradiol enanthate</a> (7 carbons) vs. <a href="https://en.wikipedia.org/wiki/Estradiol_undecylate">estradiol undecylate</a> (10 carbons)—the greater the fat solubility, the slower the rate of release from the depot, and the longer the time to peak levels and duration (<a href="https://doi.org/10.1111/j.2042-7158.1959.tb10412.x">Edkins, 1959</a>; <a href="https://scholar.google.com/scholar?cluster=12842077211931556704">Sinkula, 1978</a>; <a href="https://journal.pda.org/content/35/3/106.short">Chien, 1981</a>; <a href="https://doi.org/10.1080/13697130500148875">Kuhl, 2005</a>; <a href="https://dspace.library.uu.nl/handle/1874/348465">Kalicharan, 2017</a>; <a href="https://doi.org/10.1007/978-981-13-3642-3_7">Vhora et al., 2019</a>). The durations of both injectable oil solutions and aqueous suspensions depend on the ester and its particular <a href="https://en.wiktionary.org/wiki/physicochemical">physicochemical</a> properties, but the characteristics of these preparations are different and they work in distinct ways to produce their depot effects (<a href="https://doi.org/10.1016/0039-128X(83)90109-5">Enever et al., 1983</a>; <a href="/articles/aqueous-suspensions/">Aly, 2019</a>). The durations of oil solutions are dependent on the lipophilicity of the ester as well as oil vehicle, whereas the durations of aqueous suspensions depend on the properties of the ester <a href="https://en.wikipedia.org/wiki/Crystal_structure">crystal lattice</a> as well as <a href="https://en.wikipedia.org/wiki/Particle_size">crystal sizes</a> (<a href="https://journal.pda.org/content/35/3/106.short">Chien, 1981</a>; <a href="https://doi.org/10.1016/0039-128X(83)90109-5">Enever et al., 1983</a>; <a href="/articles/aqueous-suspensions/">Aly, 2019</a>). The <a href="https://en.wikipedia.org/wiki/Polymer">polymeric</a> estradiol ester <a href="https://en.wikipedia.org/wiki/Polyestradiol_phosphate">polyestradiol phosphate</a> is more <a href="https://en.wikipedia.org/wiki/Hydrophilicity">hydrophilic</a> (water-soluble) than estradiol and works differently than other injectable estradiol preparations. Ιt is composed of many estradiol molecules linked together via <a href="https://en.wikipedia.org/wiki/Phosphate_ester">phosphate esters</a> (on average 13 molecules of estradiol per one molecule of polyestradiol phosphate) and has a prolonged duration due to slow <a href="https://en.wikipedia.org/wiki/Bond_cleavage">cleavage</a> into estradiol following injection. Estradiol esters are able to substantially prolong the duration of estradiol when used as injectables and these preparations have durations ranging from days to months depending on the ester and how it is formulated (<a href="https://en.wikipedia.org/w/index.php?title=Template:Potencies_and_durations_of_natural_estrogens_by_intramuscular_injection&amp;oldid=964345939">Table</a>).</p>
<p>Clinically used injectable estradiol preparations are formulated not as estradiol but as <a href="https://en.wikipedia.org/wiki/Estrogen_ester">estradiol esters</a>. When <a href="https://en.wikipedia.org/wiki/Intramuscular_injection">injected into muscle</a> or <a href="https://en.wikipedia.org/wiki/Subcutaneous_injection">fat</a> in <a href="https://en.wikipedia.org/wiki/Oil_solution">oil solutions</a> or <a href="https://en.wikipedia.org/wiki/Aqueous_suspension">crystalline aqueous suspensions</a>, these estradiol esters form <a href="https://en.wikipedia.org/wiki/Depot_injection">depots</a> at the injection site from which they are slowly released. Subsequent to release, estradiol esters are rapidly <a href="https://en.wikipedia.org/wiki/Metabolism">metabolized</a> into estradiol and hence act as <a href="https://en.wikipedia.org/wiki/Prodrug">prodrugs</a>. When estradiol itself is given by intramuscular injection in an <a href="https://en.wikipedia.org/wiki/Aqueous_solution">aqueous solution</a> or oil solution, it is rapidly absorbed and has a very short duration. Due to having lipophilic <a href="https://en.wikipedia.org/wiki/Ester">esters</a>, most clinically used injectable estradiol esters are more <a href="https://en.wikipedia.org/wiki/Lipophilicity">fat-soluble</a> than estradiol (as measured by <a href="https://en.wikipedia.org/wiki/Octanol-water_partition_coefficient">oilwater partition coefficient</a> (P)) (<a href="https://en.wikipedia.org/wiki/Template:Structural_properties_of_selected_estradiol_esters">Table</a>). When these esters are administered as oil solutions by intramuscular or subcutaneous injection, their increased lipophilicity causes them to be released from the injection-site depot more slowly than estradiol and to therefore have longer durations. In the case of <a href="https://en.wikipedia.org/wiki/Fatty_acid">fatty acid</a> esters, the longer the chain length of the ester—as in e.g. <a href="https://en.wikipedia.org/wiki/Estradiol_valerate">estradiol valerate</a> (5 carbons) vs. <a href="https://en.wikipedia.org/wiki/Estradiol_enanthate">estradiol enanthate</a> (7 carbons) vs. <a href="https://en.wikipedia.org/wiki/Estradiol_undecylate">estradiol undecylate</a> (10 carbons)—the greater the fat solubility, the slower the rate of release from the depot, and the longer the time to peak levels and duration (<a href="https://doi.org/10.1111/j.2042-7158.1959.tb10412.x">Edkins, 1959</a>; <a href="https://scholar.google.com/scholar?cluster=12842077211931556704">Sinkula, 1978</a>; <a href="https://journal.pda.org/content/35/3/106">Chien, 1981</a>; <a href="https://doi.org/10.1080/13697130500148875">Kuhl, 2005</a>; <a href="https://dspace.library.uu.nl/handle/1874/348465">Kalicharan, 2017</a>; <a href="https://doi.org/10.1007/978-981-13-3642-3_7">Vhora et al., 2019</a>). The durations of both injectable oil solutions and aqueous suspensions depend on the ester and its particular <a href="https://en.wiktionary.org/wiki/physicochemical">physicochemical</a> properties, but the characteristics of these preparations are different and they work in distinct ways to produce their depot effects (<a href="https://doi.org/10.1016/0039-128X(83)90109-5">Enever et al., 1983</a>; <a href="/articles/aqueous-suspensions/">Aly, 2019</a>). The durations of oil solutions are dependent on the lipophilicity of the ester as well as oil vehicle, whereas the durations of aqueous suspensions depend on the properties of the ester <a href="https://en.wikipedia.org/wiki/Crystal_structure">crystal lattice</a> as well as <a href="https://en.wikipedia.org/wiki/Particle_size">crystal sizes</a> (<a href="https://journal.pda.org/content/35/3/106">Chien, 1981</a>; <a href="https://doi.org/10.1016/0039-128X(83)90109-5">Enever et al., 1983</a>; <a href="/articles/aqueous-suspensions/">Aly, 2019</a>). The <a href="https://en.wikipedia.org/wiki/Polymer">polymeric</a> estradiol ester <a href="https://en.wikipedia.org/wiki/Polyestradiol_phosphate">polyestradiol phosphate</a> is more <a href="https://en.wikipedia.org/wiki/Hydrophilicity">hydrophilic</a> (water-soluble) than estradiol and works differently than other injectable estradiol preparations. Ιt is composed of many estradiol molecules linked together via <a href="https://en.wikipedia.org/wiki/Phosphate_ester">phosphate esters</a> (on average 13 molecules of estradiol per one molecule of polyestradiol phosphate) and has a prolonged duration due to slow <a href="https://en.wikipedia.org/wiki/Bond_cleavage">cleavage</a> into estradiol following injection. Estradiol esters are able to substantially prolong the duration of estradiol when used as injectables and these preparations have durations ranging from days to months depending on the ester and how it is formulated (<a href="https://en.wikipedia.org/w/index.php?title=Template:Potencies_and_durations_of_natural_estrogens_by_intramuscular_injection&amp;oldid=964345939">Table</a>).</p>
<p>There is very little in the way of research and review on the <a href="https://en.wikipedia.org/wiki/Pharmacokinetics">pharmacokinetics</a> of injectable estradiol preparations in the <a href="https://en.wikipedia.org/wiki/Transgender_health">transgender health</a> literature. Transgender hormone therapy guidelines presently offer only brief descriptions and dosing recommendations that appear to be based mainly on expert opinion for this form of estradiol (e.g., <a href="https://transcare.ucsf.edu/guidelines">Deutsch, 2016a</a>; <a href="https://doi.org/10.1210/jc.2017-01658">Hembree et al., 2017</a>). Many studies assessing the pharmacokinetics and <a href="https://en.wiktionary.org/wiki/concentration-time_curve">concentrationtime profiles</a> of injectable estradiol preparations have been published but are largely confined to cisgender women and men rather than transgender people. These studies are scattered throughout the literature and have not been comprehensively reviewed or analyzed. Some review material exists on the pharmacokinetics of injectable estradiol preparations for use in <a href="https://en.wikipedia.org/wiki/Hormonal_contraception">hormonal birth control</a> and <a href="https://en.wikipedia.org/wiki/Menopausal_hormone_therapy">menopausal hormone therapy</a> in cisgender women (e.g., <a href="https://doi.org/10.1016/0378-5122(82)90064-0">Düsterberg &amp; Nishino, 1982</a>; <a href="https://pubmed.ncbi.nlm.nih.gov/3817596/">Kuhl, 1986</a>; <a href="https://doi.org/10.1016/0378-5122(90)90003-O">Kuhl, 1990</a>; <a href="https://doi.org/10.1016/0010-7824(94)90032-9">Garza-Flores, 1994</a>; <a href="https://doi.org/10.1080/13697130500148875">Kuhl, 2005</a>) and <a href="https://en.wikipedia.org/wiki/Androgen_deprivation_therapy">androgen deprivation therapy</a> for <a href="https://en.wikipedia.org/wiki/Prostate_cancer">prostate cancer</a> in cisgender men (e.g., <a href="https://doi.org/10.1002/pros.2990130405">Gunnarsson &amp; Norlén, 1988</a>). However, these publications discuss only small selections of the available research. Data on repeated administration of injectable estradiol preparations are more rare but have also been published (e.g., <a href="https://doi.org/10.1016/0306-4530(84)90004-0">Gooren et al., 1984</a> [<a href="https://commons.wikimedia.org/wiki/File:Hormone_levels_with_twice-daily_injectable_estradiol_benzoate_in_transgender_women.png">Graph</a>]; various others). Multi-dose <a href="https://en.wikipedia.org/wiki/Simulation">simulation</a> has been done previously for polyestradiol phosphate (<a href="https://doi.org/10.1002/(SICI)1097-0045(19990701)40:2%3C76::AID-PROS2%3E3.0.CO;2-Q">Henriksson et al., 1999</a>; <a href="https://doi.org/10.1002/1097-0045(20000615)44:1%3C26::AID-PROS4%3E3.0.CO;2-P">Johansson &amp; Gunnarsson, 2000</a>). However, it has not been explored for other injectable estradiol preparations to date. In contrast to injectable estradiol, excellent review literature and simulation exists for injectable testosterone preparations (e.g., <a href="https://doi.org/10.1007/978-3-662-00814-0_6">Behre, Oberpenning, &amp; Nieschlag, 1990</a>; <a href="https://doi.org/10.1007/978-3-642-72185-4_11">Behre &amp; Nieschlag, 1998</a>; <a href="https://doi.org/10.1017/CBO9780511545221.015">Behre et al., 2004</a>; <a href="https://doi.org/10.1007/978-3-540-78355-8_21">Nieschlag &amp; Behre, 2010</a>; <a href="https://doi.org/10.1017/CBO9781139003353.016">Nieschlag &amp; Behre, 2012</a>).</p>
@ -889,7 +894,7 @@ Using the term desistence in this way does not imply anything about the identity
<td>3</td>
<td>Gonadectomized/postmenopausal women</td>
<td>27.6 mg</td>
<td><a href="https://www.worldcat.org/title/untersuchungen-zur-pharmakokinetik-von-ostradiol-17-beta-ostradiol-benzoat-ostradiol-valerianat-und-ostradiol-undezylat-bei-der-frau-der-verlauf-der-konzentrationen-von-ostradiol-17-beta-ostron-lh-und-fsh-im-serum/oclc/311708827">Geppert (1975)</a>; <a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a></td>
<td><a href="https://www.worldcat.org/oclc/311708827">Geppert (1975)</a>; <a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a></td>
</tr>
<tr>
<td>K75</td>
@ -1115,7 +1120,7 @@ Using the term desistence in this way does not imply anything about the identity
<td>3</td>
<td>Gonadectomized/postmenopausal women</td>
<td>26.2 mg</td>
<td><a href="https://www.worldcat.org/title/untersuchungen-zur-pharmakokinetik-von-ostradiol-17-beta-ostradiol-benzoat-ostradiol-valerianat-und-ostradiol-undezylat-bei-der-frau-der-verlauf-der-konzentrationen-von-ostradiol-17-beta-ostron-lh-und-fsh-im-serum/oclc/311708827">Geppert (1975)</a>; <a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a></td>
<td><a href="https://www.worldcat.org/oclc/311708827">Geppert (1975)</a>; <a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a></td>
</tr>
<tr>
<td>V75a</td>
@ -1606,7 +1611,7 @@ Using the term desistence in this way does not imply anything about the identity
<td>3</td>
<td>Gonadectomized/postmenopausal women</td>
<td>32.3 mg</td>
<td><a href="https://www.worldcat.org/oclc/632312599">Geppert (1975)</a>/<a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a> [<a href="https://commons.wikimedia.org/wiki/File:Estradiol_levels_after_injections_of_estradiol,_estradiol_benzoate,_estradiol_valerate,_and_estradiol_undecylate_in_women.png">Graph</a>]</td>
<td><a href="https://www.worldcat.org/oclc/311708827">Geppert (1975)</a>/<a href="https://pubmed.ncbi.nlm.nih.gov/1150068/">Leyendecker et al. (1975)</a> [<a href="https://commons.wikimedia.org/wiki/File:Estradiol_levels_after_injections_of_estradiol,_estradiol_benzoate,_estradiol_valerate,_and_estradiol_undecylate_in_women.png">Graph</a>]</td>
</tr>
<tr>
<td>V75</td>
@ -1988,7 +1993,7 @@ Using the term desistence in this way does not imply anything about the identity
<p>Due to scarcity of data for several injectable estradiol preparations, the study selection criteria maximized data inclusion in order to allow for better curve fits at the risk of including potentially less reliable data. As examples, studies were included regardless of the status of the HPG axis of the participants, and C<sub>max</sub> data were included in the fitting if data were very limited. In the case of HPG axis state, studies with cycling women may result in greater error due to more variable levels of endogenous estradiol. Moreover, acute high levels of estradiol can induce a surge in <a href="https://en.wikipedia.org/wiki/Luteinizing_hormone">luteinizing hormone</a> levels after several days in gonadally intact women, and this may cause a delayed bump in estradiol levels (<a href="https://en.wikipedia.org/wiki/Estrogen_provocation_test">Wiki</a>). One of the more overt instances of this can be seen in a study of estradiol benzoate in such women (<a href="https://doi.org/10.1016/S0300-595X(78)80008-5">Shaw, 1978</a> [<a href="https://commons.wikimedia.org/wiki/File:Estrogen_provocation_test_and_gonadotropin_surge_with_a_single_injection_of_estradiol_benzoate_in_premenopausal_women.png">Graph</a>]). Many if not most of the included studies with estradiol benzoate involved women with intact HPG axes, whereas studies of this sort were uncommon with the other preparations. In the case of C<sub>max</sub> data, these data when C<sub>max</sub> corresponds to the mean of individual peaks are a different type of data than the peak of the mean curve of all individuals. C<sub>max</sub> levels can differ in both magnitude and timing compared to the mean curve peak (e.g., <a href="https://doi.org/10.1016/S0010-7824(80)80018-7">Oriowo et al., 1980</a> [<a href="https://commons.wikimedia.org/wiki/File:Estradiol_levels_after_a_single_5_mg_intramuscular_injection_of_estradiol_esters.png">Graph</a>]; <a href="https://doi.org/10.1016/S0010-7824(99)00086-4">Rahimy, Ryan, &amp; Hopkins, 1999</a>). This is because for instance not all individuals peak at the same time and this variability in time to peak normally serves to dilute peak levels for the mean curve when compared to individual maximal concentrations. However, C<sub>max</sub> levels are in any case generally in the vicinity of the mean curve peak. While C<sub>max</sub> levels were excluded in the fitting for most injectable estradiol preparations, they were included in the case of estradiol enanthate. This was because the available mean and individual estradiol curve data were very limited for this specific preparation, and inclusion of C<sub>max</sub> data allowed for improved fitting in spite of its limitations. Lastly, some of the included data was once-monthly multi-dose, and research with once-monthly estradiol enanthate-containing combined injectable contraceptives has found that the time to peak levels may shift with repeated long-term use (<a href="https://doi.org/10.1016/0010-7824(88)90005-4">Schiavon et al., 1988</a>; <a href="https://doi.org/10.1016/0010-7824(94)90032-9">Garza-Flores, 1994</a>).</p>
<p>There was considerable variability between studies in terms of estradiol levels and concentrationtime curve shapes with the same injectable estradiol preparation. The reasons for the large variability across studies are not fully clear. In any case, there are many potential factors that may contribute to this variability. These include preparation- and injection-related factors like <a href="https://en.wikipedia.org/wiki/Pharmaceutical_formulation">formulation</a> (e.g., <a href="https://en.wikipedia.org/wiki/Excipient#Vehicles">oil vehicle</a>, other components and <a href="https://en.wikipedia.org/wiki/Excipient">excipients</a>, concentration, <a href="https://en.wikipedia.org/wiki/Particle_size">particle size</a>), injection volume, <a href="https://en.wikipedia.org/wiki/Injection_site">site of injection</a> (e.g., <a href="https://en.wikipedia.org/wiki/Gluteal_muscles">buttocks</a>, <a href="https://en.wikipedia.org/wiki/Vastus_lateralis_muscle">thigh</a>, <a href="https://en.wikipedia.org/wiki/Deltoid_muscle">upper arm</a>), injection technique (e.g., force of injection—and resulting depot droplet dimensions), and <a href="https://en.wikipedia.org/wiki/Syringe_dead_space">syringe dead space</a>. They additionally include various subject- and research-related variables like differing <a href="https://en.wikipedia.org/wiki/Analytical_technique">blood-testing methodology</a>, differing <a href="https://en.wikipedia.org/wiki/Sample_(statistics)">sample</a> characteristics (e.g., age, weight, gender, ethnicity, physical activity, HPG axis state), and <a href="https://en.wikipedia.org/wiki/Sampling_error">sampling error</a> (<a href="https://scholar.google.com/scholar?cluster=12842077211931556704">Sinkula, 1978</a>; <a href="https://journal.pda.org/content/35/3/106.short">Chien, 1981</a>; <a href="https://jpet.aspetjournals.org/content/281/1/93.short">Minto et al., 1997</a>; <a href="https://doi.org/10.1208/s12248-009-9153-9">Larsen &amp; Larsen, 2009</a>; <a href="https://doi.org/10.1517/17425240903307431">Larsen et al., 2009</a>; <a href="https://books.google.com/books?id=5wcyP2OBPhoC&amp;pg=PA80">Florence, 2010</a>; <a href="https://doi.org/10.1007/978-1-4614-0554-2_7">Larsen, Thing, &amp; Larsen, 2012</a>; <a href="https://dspace.library.uu.nl/handle/1874/348465">Kalicharan, 2017</a>). Older studies, which used potentially less accurate blood tests and tended to have smaller numbers of subjects, seemed to particularly add to the variability between studies. These studies may represent less reliable data than more recent research with larger sample sizes. The exclusion criteria helped to remove <a href="https://en.wikipedia.org/wiki/Outlier">outliers</a> for the different injectable estradiol preparations however. This meta-analysis does not take into account the potential factors underlying the variability between studies. To do so would be difficult, as in many cases information on these variables is not provided in individual studies and research quantifying their precise influences and relative importances is limited.</p>
<p>There was considerable variability between studies in terms of estradiol levels and concentrationtime curve shapes with the same injectable estradiol preparation. The reasons for the large variability across studies are not fully clear. In any case, there are many potential factors that may contribute to this variability. These include preparation- and injection-related factors like <a href="https://en.wikipedia.org/wiki/Pharmaceutical_formulation">formulation</a> (e.g., <a href="https://en.wikipedia.org/wiki/Excipient#Vehicles">oil vehicle</a>, other components and <a href="https://en.wikipedia.org/wiki/Excipient">excipients</a>, concentration, <a href="https://en.wikipedia.org/wiki/Particle_size">particle size</a>), injection volume, <a href="https://en.wikipedia.org/wiki/Injection_site">site of injection</a> (e.g., <a href="https://en.wikipedia.org/wiki/Gluteal_muscles">buttocks</a>, <a href="https://en.wikipedia.org/wiki/Vastus_lateralis_muscle">thigh</a>, <a href="https://en.wikipedia.org/wiki/Deltoid_muscle">upper arm</a>), injection technique (e.g., force of injection—and resulting depot droplet dimensions), and <a href="https://en.wikipedia.org/wiki/Syringe_dead_space">syringe dead space</a>. They additionally include various subject- and research-related variables like differing <a href="https://en.wikipedia.org/wiki/Analytical_technique">blood-testing methodology</a>, differing <a href="https://en.wikipedia.org/wiki/Sample_(statistics)">sample</a> characteristics (e.g., age, weight, gender, ethnicity, physical activity, HPG axis state), and <a href="https://en.wikipedia.org/wiki/Sampling_error">sampling error</a> (<a href="https://scholar.google.com/scholar?cluster=12842077211931556704">Sinkula, 1978</a>; <a href="https://journal.pda.org/content/35/3/106">Chien, 1981</a>; <a href="https://jpet.aspetjournals.org/content/281/1/93.short">Minto et al., 1997</a>; <a href="https://doi.org/10.1208/s12248-009-9153-9">Larsen &amp; Larsen, 2009</a>; <a href="https://doi.org/10.1517/17425240903307431">Larsen et al., 2009</a>; <a href="https://books.google.com/books?id=5wcyP2OBPhoC&amp;pg=PA80">Florence, 2010</a>; <a href="https://doi.org/10.1007/978-1-4614-0554-2_7">Larsen, Thing, &amp; Larsen, 2012</a>; <a href="https://dspace.library.uu.nl/handle/1874/348465">Kalicharan, 2017</a>). Older studies, which used potentially less accurate blood tests and tended to have smaller numbers of subjects, seemed to particularly add to the variability between studies. These studies may represent less reliable data than more recent research with larger sample sizes. The exclusion criteria helped to remove <a href="https://en.wikipedia.org/wiki/Outlier">outliers</a> for the different injectable estradiol preparations however. This meta-analysis does not take into account the potential factors underlying the variability between studies. To do so would be difficult, as in many cases information on these variables is not provided in individual studies and research quantifying their precise influences and relative importances is limited.</p>
<p>It is in any case known from other studies that different oil vehicles are absorbed at different rates from the injection site (<a href="https://doi.org/10.1111/j.1600-0773.1979.tb02404.x">Svendsen &amp; AaesJørgensen, 1979</a>; <a href="https://doi.org/10.1016/S0378-5173(98)00121-5">Schultz et al., 1998</a>; <a href="https://doi.org/10.1016/S0378-5173(01)00860-2">Larsen et al., 2001</a>) and can result in different concentrationtime curve shapes (<a href="https://scholar.google.com/scholar?cluster=7643602853178335452">Ballard, 1978</a> [<a href="https://archive.is/PbwqF">Excerpt</a>]; <a href="https://doi.org/10.1111/j.1600-0447.1985.tb08535.x">Knudsen, Hansen, &amp; Larsen, 1985</a>). This is thought to be due to differences in oil lipophilicity and depot release rates. <a href="https://en.wikipedia.org/wiki/Viscosity">Viscosity</a> of oils has also been hypothesized to potentially influence rate of depot escape (<a href="https://doi.org/10.5414/cp201589">Schug, Donath, &amp; Blume, 2012</a>). However, research so far has not supported this hypothesis (<a href="https://doi.org/10.1208/s12248-009-9153-9">Larsen &amp; Larsen, 2009</a>; <a href="https://doi.org/10.1007/978-1-4614-0554-2_7">Larsen, Thing, &amp; Larsen, 2012</a>). Oil vehicles can vary with injectable estradiol preparations even for the same estradiol ester. For instance, pharmaceutical estradiol valerate is formulated in <a href="https://en.wikipedia.org/wiki/Sesame_oil">sesame oil</a>, <a href="https://en.wikipedia.org/wiki/Castor_oil">castor oil</a>, or <a href="https://en.wikipedia.org/wiki/Sunflower_oil">sunflower oil</a> depending on the preparation (<a href="https://files.transfemscience.org/pdfs/docs/Injectable%20Estradiol%20Vehicles%20and%20Their%20Compositions%20and%20Properties.pdf">Table</a>). It is notable however that these three oils have similar lipophilicities (<a href="https://files.transfemscience.org/pdfs/docs/Injectable%20Estradiol%20Vehicles%20and%20Their%20Compositions%20and%20Properties.pdf">Table</a>). On the other hand, <a href="https://en.wiktionary.org/wiki/homebrew">homebrewed</a> injectable estradiol preparations used by DIY transfeminine people often employ <a href="https://en.wikipedia.org/wiki/Medium-chain_triglyceride">medium-chain triglyceride (MCT) oil</a> as the oil vehicle. This oil (in the proprietary form of <a href="https://en.wikipedia.org/wiki/Viscoleo">Viscoleo</a>) has notably been found to be much more rapidly absorbed than conventional oils like sesame oil and castor oil in animals (<a href="https://doi.org/10.1111/j.1600-0773.1979.tb02404.x">Svendsen &amp; AaesJørgensen, 1979</a>; <a href="https://doi.org/10.1016/S0378-5173(98)00121-5">Schultz et al., 1998</a>; <a href="https://doi.org/10.1016/S0378-5173(01)00860-2">Larsen et al., 2001</a>). In addition, although based on very limited data, MCT oil has been found to give spikier and shorter-lasting depot injectable curves in humans (<a href="https://doi.org/10.1111/j.1600-0447.1985.tb08535.x">Knudsen, Hansen, &amp; Larsen, 1985</a>). As such, injectable estradiol preparations using MCT oil as the vehicle may have differing and less favorable concentrationtime curve shapes than pharmaceutical injectable estradiol products. Other excipients, like <a href="https://en.wikipedia.org/wiki/Benzyl_alcohol">benzyl alcohol</a>, as well as factors like injection site and volume, have additionally been found to influence pharmacokinetic properties with depot injectables (<a href="https://jpet.aspetjournals.org/content/281/1/93.short">Minto et al., 1997</a>; <a href="https://doi.org/10.1016/j.ejps.2015.12.011">Kalicharan, Schot, &amp; Vromans, 2016</a>). Excipients besides oil vehicle also vary by formulation (<a href="https://files.transfemscience.org/pdfs/docs/Injectable%20Estradiol%20Vehicles%20and%20Their%20Compositions%20and%20Properties.pdf">Table</a>).</p>
@ -2585,6 +2590,12 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Aedo, A. R., Landgren, B. M., Johannisson, E., &amp; Diczfalusy, E. (1985). Pharmacokinetic and pharmacodynamic investigations with monthly injectable contraceptive preparations. <em>Contraception</em>, <em>31</em>(5), 453469. [DOI:<a href="https://doi.org/10.1016/0010-7824(85)90081-2">10.1016/0010-7824(85)90081-2</a>]</li>
<li>Aisaka, K., Ando, S., Kokubo, K., Yoshida, K., &amp; Mori, H. (1986). いわゆる潜在性高prolactin血症患者におけるprolactin分泌予備能の検討. [Studies on Prolactin Secreting Capacity in the Ovulatory Infertile Patients with Transient Hyperprolactinemia.] <em>日本内分泌学会雑誌</em> / <em>Nihon Naibunpi Gakkai Zasshi</em> / <em>Folia Endocrinologica Japonica</em>, <em>62</em>(5), 662671. [DOI:<a href="https://doi.org/10.1507/endocrine1927.62.5_662">10.1507/endocrine1927.62.5_662</a>]</li>
<li>Akande, E. O. (1974). The effect of oestrogen on plasma levels of luteinizing hormone in euthyroid and thyrotoxic postmenopausal women. <em>The Journal of Obstetrics and Gynaecology of the British Commonwealth</em> / <em>BJOG</em>, <em>81</em>(10), 795803. [DOI:<a href="https://doi.org/10.1111/j.1471-0528.1974.tb00383.x">10.1111/j.1471-0528.1974.tb00383.x</a>]</li>
<li>Aly. (2018). An Introduction to Hormone Therapy for Transfeminine People. <em>Transfeminine Science</em>. [<a href="/articles/transfem-intro/">URL</a>]</li>
<li>Aly. (2019). Injectable Aqueous Suspensions of Sex Hormones and How Depot Injectables Work. <em>Transfeminine Science</em>. [<a href="/articles/aqueous-suspensions/">URL</a>]</li>
<li>Aly. (2020). Approximate Comparable Dosages of Estradiol by Different Routes. <em>Transfeminine Science</em>. [<a href="/articles/e2-equivalent-doses/">URL</a>]</li>
<li>Aly. (2020). Clinical Guidelines with Information on Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/transfem-hormone-guidelines/">URL</a>]</li>
<li>Aly. (2020). Estrogens and Their Influences on Coagulation and Risk of Blood Clots. <em>Transfeminine Science</em>. [<a href="/articles/estrogens-blood-clots/">URL</a>]</li>
<li>Aly. (2021). An Interactive Web Simulator for Estradiol Levels with Injectable Estradiol Esters. <em>Transfeminine Science</em>. [<a href="/articles/injectable-e2-simulator-release/">URL</a>]</li>
<li>Ballard, B. E. (1978). An Overview of Prolonged Action Drug Dosage Forms. In Robinson, J. R. (Ed.). <em>Sustained and Controlled Release Drug Delivery Systems</em> (pp. 169). New York/Basel: Marcel Dekker. [<a href="https://scholar.google.com/scholar?cluster=7643602853178335452">Google Scholar</a>] [<a href="https://books.google.com/books?id=txptAAAAMAAJ">Google Books</a>]</li>
<li>Behre, H. M., Oberpenning, F., &amp; Nieschlag, E. (1990). Comparative pharmacokinetics of androgen preparations: application of computer analysis and simulation. In Nieschlag, E., &amp; Behre, H. M. (Eds.). <em>Testosterone: Action · Deficiency · Substitution, 1st Edition</em> (pp. 115135). Berlin/Heidelberg: Springer. [DOI:<a href="https://doi.org/10.1007/978-3-662-00814-0_6">10.1007/978-3-662-00814-0_6</a>]</li>
<li>Behre, H. M., &amp; Nieschlag, E. (1998). Comparative pharmacokinetics of testosterone esters. In Nieschlag, E., &amp; Behre, H. M. (Eds.). <em>Testosterone: Action · Deficiency · Substitution, 2nd Edition</em> (pp. 329348). Berlin/Heidelberg: Springer. [DOI:<a href="https://doi.org/10.1007/978-3-642-72185-4_11">10.1007/978-3-642-72185-4_11</a>]</li>
@ -2611,7 +2622,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Dahl, M., Feldman, J. L., Goldberg, J., &amp; Jaberi, A. (2015). <em>Endocrine Therapy for Transgender Adults in British Columbia: Suggested Guidelines. Physical Aspects of Transgender Endocrine Therapy.</em> Vancouver: Vancouver Coastal Health. [<a href="https://scholar.google.com/scholar?cluster=10288793516023166968">Google Scholar</a>] [<a href="http://www.phsa.ca/transcarebc/Documents/HealthProf/BC-Trans-Adult-Endocrine-Guidelines-2015.pdf">PDF</a>]</li>
<li>Davidson, A., Franicevich, J., Freeman, M., Lin, R., Martinez, L., Monihan, M., Porch, M., Samuel, L., Stukalin, R., Vormohr, J., &amp; Zevin, B. (2013). <em>Protocols for Hormonal Reassignment of Gender.</em> San Francisco: San Francisco Department of Public Health/Tom Waddell Health Center. [<a href="https://scholar.google.com/scholar?cluster=3995032054574212445">Google Scholar</a>] [<a href="https://www.sfdph.org/dph/comupg/oservices/medSvs/hlthCtrs/TransGendprotocols122006.pdf">PDF</a>]</li>
<li><em>Depo<sup>®</sup>-Estradiol Estradiol Cypionate Label.</em> U.S. Food and Drug Administration/Pharmacia &amp; Upjohn (Pfizer). [<a href="https://www.accessdata.fda.gov/scripts/cder/daf/index.cfm?event=overview.process&amp;ApplNo=085470">URL</a>] [<a href="https://www.accessdata.fda.gov/drugsatfda_docs/label/2005/085470s015lbl.pdf">PDF</a>]</li>
<li>Derra, C. (1981). <em>Hormonprofile unter Östrogen- und Antiandrogentherapie bei Patienten mit Prostatakarzinom: Östradiolundecylat versus Cyproteronacetat.</em> [<em>Hormone Profiles under Estrogen and Antiandrogen Therapy in Patients with Prostate Cancer: Estradiol Undecylate versus Cyproterone Acetate.</em>] (Doctoral dissertation, University of Mainz.) [<a href="https://scholar.google.com/scholar?cluster=13814186946311677814">Google Scholar</a>] [<a href="https://www.worldcat.org/title/hormonprofile-unter-ostrogen-und-antiandorgentherapie-bei-patienten-mit-prostatakarzinom-ostradiolundecylat-versus-cyproteronacetat/oclc/774239518">WorldCat</a>] [<a href="https://files.transfemscience.org/pdfs/Derra%20(1981)%20-%20Hormonprofile%20unter%20%C3%96strogen-%20und%20Antiandrogentherapie%20bei%20Patienten%20mit%20Prostatakarzinom%20_%20%C3%96stradiolundecylat%20versus%20Cyproteronacetat.pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Derra%20(1981)%20-%20Hormonprofile%20unter%20Östrogen-%20und%20Antiandrogentherapie%20bei%20Patienten%20mit%20Prostatakarzinom%20_%20Östradiolundecylat%20versus%20Cyproteronacetat.pdf">Translation</a>]</li>
<li>Derra, C. (1981). <em>Hormonprofile unter Östrogen- und Antiandrogentherapie bei Patienten mit Prostatakarzinom: Östradiolundecylat versus Cyproteronacetat.</em> [<em>Hormone Profiles under Estrogen and Antiandrogen Therapy in Patients with Prostate Cancer: Estradiol Undecylate versus Cyproterone Acetate.</em>] (Doctoral dissertation, University of Mainz.) [<a href="https://scholar.google.com/scholar?cluster=13814186946311677814">Google Scholar</a>] [<a href="https://www.worldcat.org/oclc/774239518">WorldCat</a>] [<a href="https://files.transfemscience.org/pdfs/Derra%20(1981)%20-%20Hormonprofile%20unter%20%C3%96strogen-%20und%20Antiandrogentherapie%20bei%20Patienten%20mit%20Prostatakarzinom%20_%20%C3%96stradiolundecylat%20versus%20Cyproteronacetat.pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Derra%20(1981)%20-%20Hormonprofile%20unter%20Östrogen-%20und%20Antiandrogentherapie%20bei%20Patienten%20mit%20Prostatakarzinom%20_%20Östradiolundecylat%20versus%20Cyproteronacetat.pdf">Translation</a>]</li>
<li>Deutsch, M. (2014). Medical Transition. In Erickson-Schroth, L. (Ed.). <em>Trans Bodies, Trans Selves: A Resource for the Transgender Community, 1st Edition</em> (pp. 241264). Oxford: Oxford University Press. [<a href="https://scholar.google.com/scholar?cluster=14516187181661039446">Google Scholar</a>] [<a href="https://books.google.com/books?id=EuB_AwAAQBAJ&amp;pg=PA241">Google Books</a>] [<a href="https://openlibrary.org/books/OL25700730M/Trans_bodies_trans_selves">OpenLibrary</a>] [<a href="https://worldcat.org/title/915549180">WorldCat</a>] [<a href="https://archive.org/details/transbodiestrans0000unse/page/241/">Archive.org</a>] [<a href="https://files.transfemscience.org/pdfs/Deutsch%20(2014)%20-%20Medical%20Transition%20%5BIn%20Erickson-Schroth%20(2014)%20-%20Trans%20Bodies,%20Trans%20Selves%5D.pdf#page=7">PDF</a>]</li>
<li>Deutsch, M. B., Bhakri, V., &amp; Kubicek, K. (2015). Effects of Cross-Sex Hormone Treatment on Transgender Women and Men. <em>Obstetrics &amp; Gynecology</em>, <em>125</em>(3), 605610. [DOI:<a href="https://doi.org/10.1097/AOG.0000000000000692">10.1097/AOG.0000000000000692</a>]</li>
<li>Deutsch, M. B. (Ed.). (2016). <em>Guidelines for the Primary and Gender-Affirming Care of Transgender and Gender Nonbinary People, 2nd Edition.</em> San Francisco: University of California, San Francisco/UCSF Transgender Care. [<a href="https://transcare.ucsf.edu/guidelines">URL</a>] [<a href="https://transcare.ucsf.edu/sites/transcare.ucsf.edu/files/Transgender-PGACG-6-17-16.pdf">PDF</a>]</li>
@ -2625,7 +2636,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Espino y Sosa, S., Cortés Fuentes, M., Gómez Rico, J. A., &amp; Cortés Bonilla, M. (2019). Non-polymeric Microspheres for the Therapeutic Use of Estrogens: An Innovative Technology. In Khan, W. A. (Ed.). <em>Estrogen</em>. London: IntechOpen. [DOI:<a href="https://doi.org/10.5772/intechopen.82553">10.5772/intechopen.82553</a>]</li>
<li><em>Estradurin<sup>®</sup> Polyestradiol Phosphate Labels.</em> Pharmanovia. [<a href="https://web.archive.org/web/20180102072958/http://pharmanovia.com/product/estradurin/">URL</a>] [<a href="https://files.transfemscience.org/pdfs/misc/Estradurin%20-%20Pharmanovia.zip">DOCs/PDFs</a>]</li>
<li>Fisher, D., &amp; Shafer, S. (2007). <em>Fisher/Shafer NONMEM Workshop Pharmacokinetic and Pharmacodynamic Analysis with NONMEM. Basic Concepts.</em> [<a href="https://web.archive.org/web/20210717084442if_/https://wiki.ucl.ac.uk/download/attachments/23206987/Shafer%20NONMEM.pdf">PDF</a>]</li>
<li>Florence, A. T. (2010). Looking at Formulations. In Florence, A. T. <em>An Introduction to Clinical Pharmaceutics</em> (pp. 69100). London/Chicago: Pharmaceutical Press. [<a href="https://scholar.google.com/scholar?cluster=10923988500882019865">Google Scholar</a>] [<a href="https://books.google.com/books?id=5wcyP2OBPhoC&amp;pg=PA69">Google Books</a>]</li>
<li>Florence, A. T. (2010). Looking at Formulations. In Florence, A. T. <em>An Introduction to Clinical Pharmaceutics</em> (pp. 69100). London/Chicago: Pharmaceutical Press. [<a href="https://scholar.google.com/scholar?cluster=10923988500882019865">Google Scholar</a>] [<a href="https://books.google.com/books?id=5wcyP2OBPhoC&amp;pg=PA80">Google Books</a>]</li>
<li>Fotherby, K., Benagiano, G., Toppozada, H. K., Abdel-Rahman, A., Navaroli, F., Arce, B., Ramos-Cordero, R., Gual, C., Landgren, B. M., &amp; Johannisson, E. (1982). A preliminary pharmacological trial of the monthly injectable contraceptive Cycloprovera. <em>Contraception</em>, <em>25</em>(3), 261272. [DOI:<a href="https://doi.org/10.1016/0010-7824(82)90049-X">10.1016/0010-7824(82)90049-X</a>]</li>
<li>Futterweit, W., Gabrilove, J., &amp; Smith, H. (1984). Testicular steroidogenic response to human chorionic gonadotropin of fifteen male transsexuals on chronic estrogen treatment. <em>Metabolism</em>, <em>33</em>(10), 936942. [DOI:<a href="https://doi.org/10.1016/0026-0495(84)90248-8">10.1016/0026-0495(84)90248-8</a>] [<a href="https://archive.is/Pa6r3">Figure</a>]</li>
<li>Garner, P. R., &amp; Armstrong, D. T. (1977). The effect of human chorionic gonadotropin and estradiol-17β on the maintenance of the human corpus luteum of early pregnancy. <em>American Journal of Obstetrics and Gynecology</em>, <em>128</em>(5), 469475. [DOI:<a href="https://doi.org/10.1016/0002-9378(77)90026-6">10.1016/0002-9378(77)90026-6</a>]</li>
@ -2649,8 +2660,8 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Henriksson, P., Carlström, K., Pousette, A., Gunnarsson, P. O., Johansson, C. J., Eriksson, B., Altersgård-Brorsson, A. K., Nordle, O., &amp; Stege, R. (1999). Time for revival of estrogens in the treatment of advanced prostatic carcinoma? Pharmacokinetics, and endocrine and clinical effects, of a parenteral estrogen regimen. <em>The Prostate</em>, <em>40</em>(2), 7682. [DOI:<a href="https://doi.org/10.1002/(SICI)1097-0045(19990701)40:2%3C76::AID-PROS2%3E3.0.CO;2-Q">10.1002/(SICI)1097-0045(19990701)40:2&lt;76::AID-PROS2&gt;3.0.CO;2-Q</a>]</li>
<li>Herndon, J. S., Maheshwari, A. K., Nippoldt, T. B., Carlson, S. J., Davidge-Pitts, C. J., &amp; Chang, A. Y. (2023). Comparison of Subcutaneous and Intramuscular Estradiol Regimens as part of Gender-Affirming Hormone Therapy. <em>Endocrine Practice</em>, <em>29</em>(5), 356361. [DOI:<a href="https://doi.org/10.1016/j.eprac.2023.02.006">10.1016/j.eprac.2023.02.006</a>]</li>
<li>Hughes, J. H., Woo, K. H., Keizer, R. J., &amp; Goswami, S. (2022). Clinical Decision Support for Precision Dosing: Opportunities for Enhanced Equity and Inclusion in Health Care. <em>Clinical Pharmacology &amp; Therapeutics</em>, <em>113</em>(3), 565574. [DOI:<a href="https://doi.org/10.1002/cpt.2799">10.1002/cpt.2799</a>]:</li>
<li>Ibrahim, S. (1996/1998). <em>Pharmakokinetische Untersuchungen mit Östradiolvalerat und Hydroxyprogesteroncaproat in Depotform nach einmaliger Applikation bei 24 postmenopausalen Frauen.</em> [<em>Pharmacokinetic studies with estradiol valerate and hydroxyprogesterone caproate in depot form after a single application in 24 postmenopausal women.</em>] (Doctoral dissertation, Dresden University of Technology.) [<a href="https://scholar.google.com/scholar?cluster=10356896144014189338">Google Scholar</a>] [<a href="https://www.worldcat.org/title/pharmakokinetische-untersuchungen-mit-ostradiolvalerat-und-hydroxyprogesteroncaproat-in-depotform-nach-einmaliger-applikation-bei-24-postmenopausalen-frauen/oclc/722383126">WorldCat</a>] [<a href="https://files.transfemscience.org/pdfs/Ibrahim%20(1996)%20-%20Pharmakokinetische%20Untersuchungen%20mit%20%C3%96stradiolvalerat%20und%20Hydroxyprogesteroncaproat%20in%20Depotform%20nach%20Einmaliger%20Applikation%20bei%2024%20Postmenopausalen%20Frauen%20[pp.%200%E2%80%9311,%2039%E2%80%9349].pdf">Partial PDF</a>]</li>
<li>Ittrich, G., &amp; Pots, P. (1965). Östrogenbestimmungen in Blut und Urin nach Verabreichung von Östrogenen. [Estrogen determinations in blood and urine after administration of estrogens.] In Kraatz, H. (Ed.). <em>International Symposium der Gynäkologischen Endokrinologie vom 15. bis 18. Mai 1963.</em> / <em>Abhandlungen der Deutschen Akademie der Wissenschaften zu Berlin, Klasse für Medizin</em>, 1965(1), 5356. [ISSN:<a href="https://portal.issn.org/resource/ISSN/0568-4250">0568-4250</a>] [<a href="https://www.worldcat.org/title/internationales-symposium-der-gynakologischen-endokrinologie-vom-15-18-mai-1963/oclc/320539552">WorldCat 1</a>] [<a href="https://www.worldcat.org/title/abhandlungen-der-deutschen-akademie-der-wissenschaften-zu-berlin-klasse-fur-medizin/oclc/637443718">WorldCat 2</a>] [<a href="https://www.worldcat.org/title/abhandlungen-der-deutschen-akademie-der-wissenschaften-klasse-fur-medizin/oclc/263597180">WorldCat 3</a>] [<a href="https://files.transfemscience.org/pdfs/Ittrich%20&amp;%20Pots%20(1965)%20-%20%C3%96strogenbestimmungen%20in%20Blut%20und%20Urin%20Nach%20Verabreichung%20von%20%C3%96strogenen%20[Estrogen%20Determinations%20in%20Blood%20and%20Urine%20After%20Administration%20of%20Estrogens].pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Ittrich%20&amp;%20Pots%20(1965)%20-%20Östrogenbestimmungen%20in%20Blut%20und%20Urin%20Nach%20Verabreichung%20von%20Östrogenen.pdf">Translation</a>]</li>
<li>Ibrahim, S. (1996/1998). <em>Pharmakokinetische Untersuchungen mit Östradiolvalerat und Hydroxyprogesteroncaproat in Depotform nach einmaliger Applikation bei 24 postmenopausalen Frauen.</em> [<em>Pharmacokinetic studies with estradiol valerate and hydroxyprogesterone caproate in depot form after a single application in 24 postmenopausal women.</em>] (Doctoral dissertation, Dresden University of Technology.) [<a href="https://scholar.google.com/scholar?cluster=10356896144014189338">Google Scholar</a>] [<a href="https://www.worldcat.org/oclc/722383126">WorldCat</a>] [<a href="https://files.transfemscience.org/pdfs/Ibrahim%20(1996)%20-%20Pharmakokinetische%20Untersuchungen%20mit%20%C3%96stradiolvalerat%20und%20Hydroxyprogesteroncaproat%20in%20Depotform%20nach%20Einmaliger%20Applikation%20bei%2024%20Postmenopausalen%20Frauen%20[pp.%200%E2%80%9311,%2039%E2%80%9349].pdf">Partial PDF</a>]</li>
<li>Ittrich, G., &amp; Pots, P. (1965). Östrogenbestimmungen in Blut und Urin nach Verabreichung von Östrogenen. [Estrogen determinations in blood and urine after administration of estrogens.] In Kraatz, H. (Ed.). <em>International Symposium der Gynäkologischen Endokrinologie vom 15. bis 18. Mai 1963.</em> / <em>Abhandlungen der Deutschen Akademie der Wissenschaften zu Berlin, Klasse für Medizin</em>, 1965(1), 5356. [ISSN:<a href="https://portal.issn.org/resource/ISSN/0568-4250">0568-4250</a>] [<a href="https://www.worldcat.org/oclc/320539552">WorldCat 1</a>] [<a href="https://www.worldcat.org/oclc/637443718">WorldCat 2</a>] [<a href="https://www.worldcat.org/oclc/263597180">WorldCat 3</a>] [<a href="https://files.transfemscience.org/pdfs/Ittrich%20&amp;%20Pots%20(1965)%20-%20%C3%96strogenbestimmungen%20in%20Blut%20und%20Urin%20Nach%20Verabreichung%20von%20%C3%96strogenen%20[Estrogen%20Determinations%20in%20Blood%20and%20Urine%20After%20Administration%20of%20Estrogens].pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Ittrich%20&amp;%20Pots%20(1965)%20-%20Östrogenbestimmungen%20in%20Blut%20und%20Urin%20Nach%20Verabreichung%20von%20Östrogenen.pdf">Translation</a>]</li>
<li>Jaafar, S., Torres-Leguizamon, M., Duplessy, C., &amp; Stambolis-Ruhstorfer, M. (2022). Hormonothérapie injectable et réduction des risques: pratiques, difficultés, santé des personnes trans en France. [Hormone replacement therapy injections and harm reduction: practices, difficulties, and transgender peoples health in France.] <em>Sante Publique</em>, <em>34</em>(HS2), 109122. [<a href="https://scholar.google.com/scholar?cluster=7107598530477039727">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/37336724/">PubMed</a>] [DOI:<a href="https://doi.org/10.3917/spub.hs2.0109">10.3917/spub.hs2.0109</a>]</li>
<li>Jacobi, G. H., &amp; Altwein, J. E. (1979). Bromocriptin als Palliativtherapie beim fortgeschrittenen Prostatakarzinom. [Bromocriptine for palliation of advanced prostatic carcinoma. Experimental and clinical profile of a drug.] <em>Urologia Internationalis</em>, <em>34</em>(4), 266290. [DOI:<a href="https://doi.org/10.1159/000280272">10.1159/000280272</a>]</li>
<li>Jacobi, G. H., Altwein, J. E., Kurth, K. H., Basting, R., &amp; Hohenfellner, R. (1980). Treatment of advanced prostatic cancer with parenteral cyproterone acetate: a phase III randomised trial. <em>British Journal of Urology</em>, <em>52</em>(3), 208215. [DOI:<a href="https://doi.org/10.1111/j.1464-410X.1980.tb02961.x">10.1111/j.1464-410X.1980.tb02961.x</a>]</li>
@ -2698,7 +2709,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Nelson, M. D., Szczepaniak, L. S., Wei, J., Szczepaniak, E., Sánchez, F. J., Vilain, E., Stern, J. H., Bergman, R. N., Bairey Merz, C. N., &amp; Clegg, D. J. (2016). Transwomen and the Metabolic Syndrome: Is Orchiectomy Protective? <em>Transgender Health</em>, <em>1</em>(1), 165171. [DOI:<a href="https://doi.org/10.1089/trgh.2016.0016">10.1089/trgh.2016.0016</a>] [<a href="https://archive.is/MlUU5">Table</a>]</li>
<li>Nieschlag, E., &amp; Behre, H. M. (2010). Testosterone therapy. In Nieschlag, E., Behre, H. M., &amp; Nieschlag, S. (Eds.). <em>Andrology</em> (pp. 437455). Berlin/Heidelberg: Springer. [DOI:<a href="https://doi.org/10.1007/978-3-540-78355-8_21">10.1007/978-3-540-78355-8_21</a>] [<a href="https://web.archive.org/web/20210824082448if_/http://ssu.ac.ir/cms/fileadmin/user_upload/vonline/etiad/manabeamoozeshi/Andrology_Part_3.pdf">PDF</a>]</li>
<li>Norlén, B. J., Fritjofsson, Å., Grönquist, L., Gunnarsson, P. O., Johansson, S. Å., &amp; Plym-Forshell, G. (1987). Plasma concentrations of estradiol and testosterone in single-drug polyestradiol phosphate therapy for prostatic cancer. <em>European Urology</em>, <em>13</em>, 193197. [DOI:<a href="https://doi.org/10.1159/000472772">10.1159/000472772</a>]</li>
<li>Olson-Kennedy, J., Rosenthal, S. M., Hastings, J., &amp; Wesp, L. (2016). Health considerations for gender non-conforming children and transgender adolescents. In Deutsch, M. B. (Ed.). <em>Guidelines for the Primary and Gender-Affirming Care of Transgender and Gender Nonbinary People, 2nd Edition</em> (pp. 186199). San Francisco: University of California, San Francisco/UCSF Transgender Care. [<a href="https://transcare.ucsf.edu/guidelines/feminizing-hormone-therapy">URL</a>] [<a href="https://transcare.ucsf.edu/sites/transcare.ucsf.edu/files/Transgender-PGACG-6-17-16.pdf#page=186">PDF</a>]</li>
<li>Olson-Kennedy, J., Rosenthal, S. M., Hastings, J., &amp; Wesp, L. (2016). Health considerations for gender non-conforming children and transgender adolescents. In Deutsch, M. B. (Ed.). <em>Guidelines for the Primary and Gender-Affirming Care of Transgender and Gender Nonbinary People, 2nd Edition</em> (pp. 186199). San Francisco: University of California, San Francisco/UCSF Transgender Care. [<a href="https://web.archive.org/web/20220916063817/https://transcare.ucsf.edu/guidelines/youth">URL</a>] [<a href="https://transcare.ucsf.edu/sites/transcare.ucsf.edu/files/Transgender-PGACG-6-17-16.pdf#page=186">PDF</a>]</li>
<li>Oriowo, M. A., Landgren, B. M., Stenström, B., &amp; Diczfalusy, E. (1980). A comparison of the pharmacokinetic properties of three estradiol esters. <em>Contraception</em>, <em>21</em>(4), 415424. [DOI:<a href="https://doi.org/10.1016/S0010-7824(80)80018-7">10.1016/S0010-7824(80)80018-7</a>]</li>
<li>Parkes, A. S. (1937). Relative duration of action of various esters of oestrone, oestradiol and oestriol. <em>Biochemical Journal</em>, <em>31</em>(4), 579585. [DOI:<a href="https://doi.org/10.1042/bj0310579">10.1042/bj0310579</a>]</li>
<li>Patel, R., Korenman, S., Weimer, A., &amp; Grock, S. (2024). A Call for Updates to Hormone Therapy Guidelines for Gender-Diverse Adults Assigned Male at Birth. <em>Cureus</em>, <em>16</em>(6), e62262. [DOI:<a href="https://doi.org/10.7759/cureus.62262">10.7759/cureus.62262</a>] [<a href="https://assets.cureus.com/uploads/editorial/pdf/256537/20240612-31130-lgqwyn.pdf">PDF</a>]</li>
@ -2734,7 +2745,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Sierra-Ramírez, J. A., Lara-Ricalde, R., Lujan, M., Velázquez-Ramírez, N., Godínez-Victoria, M., Hernádez-Munguía, I. A., Padilla, A., &amp; Garza-Flores, J. (2011). Comparative pharmacokinetics and pharmacodynamics after subcutaneous and intramuscular administration of medroxyprogesterone acetate (25 mg) and estradiol cypionate (5 mg). <em>Contraception</em>, <em>84</em>(6), 565570. [DOI:<a href="https://doi.org/10.1016/j.contraception.2011.03.014">10.1016/j.contraception.2011.03.014</a>]</li>
<li>Sinkula, A. A. (1978). Methods to Achieve Sustained Drug Delivery. The Chemical Approach. In Robinson, J. R. (Ed.). <em>Sustained and Controlled Release Drug Delivery Systems</em> (pp. 411555). New York/Basel: Marcel Dekker. [<a href="https://scholar.google.com/scholar?cluster=12842077211931556704">Google Scholar</a>] [<a href="https://books.google.com/books?id=txptAAAAMAAJ">Google Books</a>] [<a href="https://files.transfemscience.org/pdfs/Sinkula%20(1978)%20-%20Methods%20to%20Achieve%20Sustained%20Drug%20Delivery%20-%20The%20Chemical%20Approach%20[In%20Sustained%20&amp;%20Controlled%20Release%20Drug%20Delivery%20Systems%20(Robinson)].pdf">PDF</a>]</li>
<li>Slack, D. J., Di Via Ioschpe, A., Saturno, M., Kihuwa-Mani, S., Amakiri, U. O., Guerra, D., Karim, S., &amp; Safer, J. D. (2025). Examining the Influence of the Route of Administration and Dose of Estradiol on Serum Estradiol and Testosterone Levels in Feminizing Gender-Affirming Hormone Therapy. <em>Endocrine Practice</em>, <em>31</em>(1), 1927. [DOI:<a href="https://doi.org/10.1016/j.eprac.2024.10.002">10.1016/j.eprac.2024.10.002</a>]</li>
<li>Somerville, B. W. (1971). The Role of Oestradiol in Menstrual Migraine. In Somerville, B. W. <em>The Influence of Progesterone and Oestradiol on Migraine</em> (Doctoral dissertation, University of New South Wales) (pp. 93104). [<a href="https://scholar.google.com/scholar?cluster=8218988094732310593">Google Scholar</a>] [<a href="http://hdl.handle.net/1959.4/66063">URL</a>] [<a href="https://www.worldcat.org/title/influence-of-progesterone-and-oestradiol-on-migraine/oclc/216701574">WorldCat</a>] [<a href="https://web.archive.org/web/20210701064750/https://unsworks.unsw.edu.au/fapi/datastream/unsworks:65652/SOURCE01?view=true">PDF</a>]</li>
<li>Somerville, B. W. (1971). The Role of Oestradiol in Menstrual Migraine. In Somerville, B. W. <em>The Influence of Progesterone and Oestradiol on Migraine</em> (Doctoral dissertation, University of New South Wales) (pp. 93104). [<a href="https://scholar.google.com/scholar?cluster=8218988094732310593">Google Scholar</a>] [<a href="http://hdl.handle.net/1959.4/66063">URL</a>] [<a href="https://www.worldcat.org/oclc/216701574">WorldCat</a>] [<a href="https://web.archive.org/web/20210701064750/https://unsworks.unsw.edu.au/fapi/datastream/unsworks:65652/SOURCE01?view=true">PDF</a>]</li>
<li>Somerville, B. W. (1972). The Role of Estradiol Withdrawal in the Etiology of Menstrual Migraine. <em>Neurology</em>, <em>22</em>(4), 355365. [DOI:<a href="https://doi.org/10.1212/WNL.22.4.355">10.1212/WNL.22.4.355</a>]</li>
<li>Somerville, B. W. (1972). The influence of progesterone and estradiol upon migraine. <em>Headache: The Journal of Head and Face Pain</em>, <em>12</em>(3), 93102. [DOI:<a href="https://doi.org/10.1111/j.1526-4610.1972.hed1203093.x">10.1111/j.1526-4610.1972.hed1203093.x</a>]</li>
<li>Somerville, B. W. (1972). The Influence of Hormones Upon Migraine in Women. <em>Medical Journal of Australia</em>, <em>2</em>(S2), 611. [DOI:<a href="https://doi.org/10.5694/j.1326-5377.1972.tb93039.x">10.5694/j.1326-5377.1972.tb93039.x</a>]</li>
@ -2759,7 +2770,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Valle Alvarez, D. C. (2011). <em>Efecto de una Dosis de 50 mg de Enantato de Noretisterona y 5 mg de Valerato de Estradiol en los Niveles de Testosterona Total en Hombres Mexicanos Sanos.</em> [<em>Effect of a Dose of 50 mg of Norethisterone Enanthate and 5 mg of Estradiol Valerate on Total Testosterone Levels in Healthy Mexican Men.</em>] (Masters thesis, National Polytechnic Institute of Mexico.) [<a href="https://scholar.google.com/scholar?cluster=10111062867175284872">Google Scholar</a>] [<a href="https://repositoriodigital.ipn.mx/handle/123456789/12490">URL</a>] [<a href="https://repositoriodigital.ipn.mx/bitstream/123456789/12490/1/TESIS%20FINAL%20Doris.pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Valle%20Alvarez%20(2011)%20-%20Efecto%20de%20una%20Dosis%20de%2050%20mg%20de%20Enantato%20de%20Noretisterona%20y%205%20mg%20de%20Valerato%20de%20Estradiol%20en%20los%20Niveles%20de%20Testosterona%20Total%20en%20Hombres%20Mexicanos%20Sanos.pdf">Translation</a>]</li>
<li>Varangot, J., &amp; Cedard, L. (1957). Modifications des Œstrogènes Sanguins Après Administration Intramusculaire de Benzoate dŒstradiol. [Changes in Serum Estrogens After Intramuscular Administration of Estradiol Benzoate.] <em>Comptes Rendus des Séances de la Société de Biologie et de ses Filiales</em>, <em>151</em>(10), 17071712. [<a href="https://scholar.google.com/scholar?cluster=4116513909135850261">Google Scholar 1</a>] [<a href="https://scholar.google.com/scholar?cluster=17882711728421914146">Google Scholar 2</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/13547587/">PubMed</a>] [<a href="https://files.transfemscience.org/pdfs/Varangot%20&amp;%20Cedard%20(1957)%20-%20Modifications%20des%20%C5%92strog%C3%A8nes%20Sanguins%20Apr%C3%A8s%20Administration%20Intramusculaire%20de%20Benzoate%20d'%C5%92stradiol%20[...].pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Varangot%20&amp;%20Cedard%20(1957)%20-%20Modifications%20des%20Œstrogènes%20Sanguins%20Après%20Administration%20Intramusculaire%20de%20Benzoate%20d'Œstradiol.pdf">Translation</a>]</li>
<li>Vermeulen, A. (1975). Longacting steroid preparations. <em>Acta Clinica Belgica</em>, <em>30</em>(1), 4855. [DOI:<a href="https://doi.org/10.1080/17843286.1975.11716973">10.1080/17843286.1975.11716973</a>]</li>
<li>Vermeulen, A. (1977). Transport and Distribution of Androgens at Different Ages. In Martini, L., &amp; Motta, M. (Eds.). <em>Androgens and Antiandrogens</em> (pp. 5365). New York: Raven Press. [<a href="https://scholar.google.com/scholar?cluster=5963522046259984312">Google Scholar</a>] [<a href="https://books.google.com/books?id=LQdrAAAAMAAJ&amp;q=%22Transport+and+Distribution+of+Androgens+at+Different+Ages%22+vermeulen">Google Books</a>] [<a href="https://openlibrary.org/works/OL6908523W/">OpenLibrary</a>] [<a href="https://www.worldcat.org/title/androgens-and-antiandrogens/oclc/925036459">WorldCat</a>] [<a href="https://archive.org/details/androgensantiand0000inte/page/59/">Archive.org</a>] [<a href="https://archive.is/1BCM4">Excerpt</a>]</li>
<li>Vermeulen, A. (1977). Transport and Distribution of Androgens at Different Ages. In Martini, L., &amp; Motta, M. (Eds.). <em>Androgens and Antiandrogens</em> (pp. 5365). New York: Raven Press. [<a href="https://scholar.google.com/scholar?cluster=5963522046259984312">Google Scholar</a>] [<a href="https://books.google.com/books?id=LQdrAAAAMAAJ&amp;q=%22Transport+and+Distribution+of+Androgens+at+Different+Ages%22+vermeulen">Google Books</a>] [<a href="https://openlibrary.org/works/OL6908523W/">OpenLibrary</a>] [<a href="https://www.worldcat.org/oclc/925036459">WorldCat</a>] [<a href="https://archive.org/details/androgensantiand0000inte/page/59/">Archive.org</a>] [<a href="https://archive.is/1BCM4">Excerpt</a>]</li>
<li>Vhora, I., Bardoliwala, D., Ranamalla, S. R., &amp; Javia, A. (2019). Parenteral controlled and prolonged drug delivery systems: therapeutic needs and formulation strategies. In Misra A., &amp; Shahiwala, A. (Eds.). <em>Novel Drug Delivery Technologies</em> (pp. 183260). Singapore: Springer. [DOI:<a href="https://doi.org/10.1007/978-981-13-3642-3_7">10.1007/978-981-13-3642-3_7</a>]</li>
<li>Vizziello, G., DAmato, G., Trentadue, R., &amp; Fanizza, G. (1993). Studio dinamico del blocco ipofisario indotto dalla triptorelina, mediante test allestradiolo benzoato. [Estradiol benzoate test in the study of pituitary block induced by triptorelin.] <em>Minerva Ginecologica</em>, <em>45</em>(4), 185189. [<a href="https://scholar.google.com/scholar?cluster=6929403185613656842">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/8506068/">PubMed</a>] [<a href="https://files.transfemscience.org/pdfs/Vizziello%20et%20al.%20(1993)%20-%20Studio%20Dinamico%20del%20Blocco%20Ipofisario%20Indotto%20Dalla%20Triptorelina,%20Mediante%20Test%20All'estradiolo%20Benzoato.pdf">PDF</a>] [<a href="https://files.transfemscience.org/pdfs/translations/Vizziello%20et%20al.%20(1993)%20-%20Studio%20dinamico%20del%20blocco%20ipofisario%20indotto%20dalla%20triptorelina,%20mediante%20test%20allestradiolo%20benzoato.pdf">Translation</a>]</li>
<li>Wagner, J. G. (1993). <em>Pharmacokinetics for the Pharmaceutical Scientist.</em> Lancaster/Basel: Technomic. [DOI:<a href="https://doi.org/10.1201/9780203743652">10.1201/9780203743652</a>] [<a href="https://books.google.com/books?id=gMuCDwAAQBAJ">Google Books</a>]</li>
@ -2876,7 +2887,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<p>The very short half-life of sublingually and buccally administered estradiol relative to other forms raises a few questions relating to its use in feminising hormone therapy. One of the most commonly asked questions on online forums is regarding which gender-affirming hormone therapy regimens might be most “effective” with respect to the feminising effects of estrogens. These include, but are not limited to, outcomes such as breast development and fat distribution.</p>
<p>In contrast to oral and trandermal estradiol, limited data exist describing the extent of feminisation with the sublingual route (<a href="https://doi.org/10.1016/j.eprac.2021.12.018">Safer, 2022</a>). A non-randomised study found that self-assessed Tanner stage after 6 months of treatment did not appear to be different in users of sublingual estradiol monotherapy as compared to users of oral estradiol plus 10 mg/day cyproterone acetate (<a href="https://doi.org/10.1210/jendso/bvad114.2080">Yaish et al., 2023a</a>; <a href="https://doi.org/10.1089/trgh.2023.0022">Yaish et al., 2023b</a>). However, since breast development itself was not measured objectively, these particular data are low-quality and prevent definitive conclusions either way about the superiority or inferiority of sublingual estradiol. The same study group reported that although there were similar increases in gynoid fat in the two arms, the oral estradiol group did show an increased amount of android fat as compared to the sublingual group (<a href="https://doi.org/10.1093/jsxmed/qdaf005">Yaish et al., 2025</a>). On the other hand, a further complication of this study is the possible confounding by lack of concomitant antiandrogen therapy in the sublingual arm (<a href="https://doi.org/10.1089/trgh.2024.0048">Ruggles &amp; Cheung, 2024</a>; <a href="https://doi.org/doi/10.1089/trgh.2024.0105">Yaish et al., 2024</a>). Notably, progestogens like cyproterone acetate have been shown to be associated with weight gain (<a href="https://doi.org/10.1002/14651858.CD008815.pub4">Lopez et al., 2016</a>). This could explain the difference in android fat accumulation.</p>
<p>In contrast to oral and trandermal estradiol, limited data exist describing the extent of feminisation with the sublingual route (<a href="https://doi.org/10.1016/j.eprac.2021.12.018">Safer, 2022</a>). A non-randomised study found that self-assessed Tanner stage after 6 months of treatment did not appear to be different in users of sublingual estradiol monotherapy as compared to users of oral estradiol plus 10 mg/day cyproterone acetate (<a href="https://doi.org/10.1210/jendso/bvad114.2080">Yaish et al., 2023a</a>; <a href="https://doi.org/10.1089/trgh.2023.0022">Yaish et al., 2023b</a>). However, since breast development itself was not measured objectively, these particular data are low-quality and prevent definitive conclusions either way about the superiority or inferiority of sublingual estradiol. The same study group reported that although there were similar increases in gynoid fat in the two arms, the oral estradiol group did show an increased amount of android fat as compared to the sublingual group (<a href="https://doi.org/10.1093/jsxmed/qdaf005">Yaish et al., 2025</a>). On the other hand, a further complication of this study is the possible confounding by lack of concomitant antiandrogen therapy in the sublingual arm (<a href="https://doi.org/10.1089/trgh.2024.0048">Ruggles &amp; Cheung, 2024</a>; <a href="https://doi.org/10.1089/trgh.2024.0105">Yaish et al., 2024</a>). Notably, progestogens like cyproterone acetate have been shown to be associated with weight gain (<a href="https://doi.org/10.1002/14651858.CD008815.pub4">Lopez et al., 2016</a>). This could explain the difference in android fat accumulation.</p>
<p>Oral estradiol and other non-oral forms of estradiol (such as transdermal administration) have not been found to differ in their effects on breast development or other feminising outcomes in transfeminine people or cisgender hypogonadal girls (<a href="https://doi.org/10.1210/jc.2005-1081">Rosenfield et al., 2005</a>; <a href="https://doi.org/10.1186/1687-9856-2014-12">Shah et al., 2014</a>; <a href="https://doi.org/10.1530/EJE-17-0496">Klaver et al., 2018</a>; <a href="https://doi.org/10.1210/clinem/dgaa841">de Blok et al., 2021</a>, <a href="https://doi.org/10.1210/clinem/dgab741">Tebbens et al., 2022</a>). In consideration of this, differences in efficacy might not be expected for sublingual estradiol either. However, the use of supraphysiological doses of estrogens from the onset of therapy may stunt breast development and reduce final breast size in transfeminine people (<a href="https://doi.org/10.1210/clinem/dgae573">Boogers et al., 2025</a>). Because the use of sublingual estradiol results in estradiol concentrations that routinely achieve the supratherapeutic range, it is possible that this could have deleterious effects on breast development.</p>
@ -2886,7 +2897,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<p>Another question that might be raised by the short half-life of sublingual estradiol is how it might compare to more conventional routes of administration in terms of its ability to suppress testosterone and other androgens.</p>
<p>Estrogens were first characterised for their use as antigonadotrophic antiandrogens in the 1940s in the form of oral synthetic estrogens, namely diethylstilbestrol (DES), to treat men with prostate cancer (<a href="https://cancerres.aacrjournals.org/content/1/4/293">Huggins &amp; Hodges, 1941</a>). Estrogens given in the form of oral ethinylestradiol (EE), long-acting estradiol esters, such as polyestradiol phosphate, and transdermal estradiol patches have been studied. Their efficacy for this indication is well established (<a href="https://doi.org/10.1002/(SICI)1097-0045(199605)28:5%3C307::AID-PROS6%3E3.0.CO;2-8">Stege et al., 1996</a>; <a href="https://doi.org/10.1002/cncr.21528">Kohli, 2006</a>; <a href="https://doi.org/10.1111/iju.12613">Sciarra et al., 2015</a>). As data are more limited for testosterone suppression with estrogens in transfeminine people, these data are valuable for informing transfeminine hormone therapy. Since sublingual estradiol has never been used to treat prostatic cancer, no such data exist to show the ability of sublingual estradiol in this capacity.</p>
<p>Estrogens were first characterised for their use as antigonadotrophic antiandrogens in the 1940s in the form of oral synthetic estrogens, namely diethylstilbestrol (DES), to treat men with prostate cancer (<a href="https://aacrjournals.org/cancerres/article/1/4/293/472266/Studies-on-Prostatic-Cancer-I-The-Effect-of">Huggins &amp; Hodges, 1941</a>). Estrogens given in the form of oral ethinylestradiol (EE), long-acting estradiol esters, such as polyestradiol phosphate, and transdermal estradiol patches have been studied. Their efficacy for this indication is well established (<a href="https://doi.org/10.1002/(SICI)1097-0045(199605)28:5%3C307::AID-PROS6%3E3.0.CO;2-8">Stege et al., 1996</a>; <a href="https://doi.org/10.1002/cncr.21528">Kohli, 2006</a>; <a href="https://doi.org/10.1111/iju.12613">Sciarra et al., 2015</a>). As data are more limited for testosterone suppression with estrogens in transfeminine people, these data are valuable for informing transfeminine hormone therapy. Since sublingual estradiol has never been used to treat prostatic cancer, no such data exist to show the ability of sublingual estradiol in this capacity.</p>
<p>Some studies have found that physiologic levels of estradiol (i.e., 100200 pg/mL [367734 pmol/L]) or slightly higher from non-sublingual estradiol alone result in rapid and near complete, if not complete, suppression of testosterone levels to the female range in many transfeminine people (<a href="https://doi.org/10.1089/trgh.2017.0035">Leinung, Feustel, &amp; Joseph, 2018</a>; <a href="https://doi.org/10.1210/clinem/dgaa884">Pappas et al., 2020</a>; <a href="https://doi.org/10.1016/j.eprac.2025.07.002">Misakian et al., 2025</a>). Additionally, the <a href="https://en.wikipedia.org/wiki/Prostate_Adenocarcinoma:_TransCutaneous_Hormones">Prostate Adenocarcinoma TransCutaneous Hormones</a> (PATCH) study, a multicentre randomised controlled trial in the United Kingdom, showed that sustained median estradiol levels of between 215 to 250 pg/mL (789918 pmol/L) from transdermal patches were similarly effective (~95%) to GnRH analogues in reducing testosterone levels to the castrate range (&lt;50 ng/dL [&lt;1.7 nmol/L]) (<a href="https://doi.org/10.1016/S0140-6736(21)00100-8">Langley et al., 2021</a>). However, because sublingual estradiol differs in its pharmacokinetics to other forms of estradiol, it is plausible that this route of administration might result in sub-par suppression at doses with similar concentrations of estradiol.</p>
@ -2942,19 +2953,19 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Ahokas, A., Kaukoranta, J., &amp; Aito, M. (1999). Effect of oestradiol on postpartum depression. <em>Psychopharmacology</em>, <em>146</em>(1), 108110. [DOI:<a href="https://doi.org/10.1007/s002130051095">10.1007/s002130051095</a>]</li>
<li>Ahokas, A., Kaukoranta, J., Wahlbeck, K., &amp; Aito, M. (2001). Estrogen deficiency in severe postpartum depression: successful treatment with sublingual physiologic 17β-estradiol: a preliminary study. <em>Journal of Clinical Psychiatry</em>, <em>62</em>(5), 332336. [DOI:<a href="https://doi.org/10.4088/jcp.v62n0504">10.4088/jcp.v62n0504</a>]</li>
<li>Anderson, G. L., Limacher, M., Assaf, A. R., Bassford, T., Beresford, S. A., Black, H., Bonds, D., Brunner, R., Brzyski, R., Caan, B., Chlebowski, R., Curb, D., Gass, M., Hays, J., Heiss, G., Hendrix, S., Howard, B. V., Hsia, J., Hubbell, A., Jackson, R., … &amp; Womens Health Initiative Steering Committee. (2004). Effects of Conjugated Equine Estrogen in Postmenopausal Women With Hysterectomy: The Womens Health Initiative Randomized Controlled Trial. <em>JAMA</em>, <em>291</em>(14), 17011712. [DOI:<a href="https://doi.org/10.1001/jama.291.14.1701">10.1001/jama.291.14.1701</a>]</li>
<li>Bar, O. S., Yaish, I., Barzilai, M., Greenman, Y., Gindis, G., Moshe, Y., &amp; Tordjman, K. (2024, May). Low dose sublingual estradiol decreases protein s, generating a potentially pro-thrombotic state: interim results of a controlled prospective pilot study of treatment-naive trans women. In Endocrine Abstracts (Vol. 99). <em>Bioscientifica</em>. [DOI:<a href="https://doi.org/10.1530/endoabs.99.EP592">10.1089/trgh.2024.0105</a>]</li>
<li>Bar, O. S., Yaish, I., Barzilai, M., Greenman, Y., Gindis, G., Moshe, Y., &amp; Tordjman, K. (2024). Low dose sublingual estradiol decreases protein s, generating a potentially pro-thrombotic state: interim results of a controlled prospective pilot study of treatment-naive trans women. <em>Endocrine Abstracts</em>, <em>99</em> [26th European Congress of Endocrinology, Stockholm, Sweden, 11 May 2024 14 May 2024], EP592. [DOI:<a href="https://doi.org/10.1530/endoabs.99.ep592">10.1530/endoabs.99.ep592</a>]</li>
<li>Bartlett, J. A., &amp; van der Voort Maarschalk, K. (2012). Understanding the oral mucosal absorption and resulting clinical pharmacokinetics of asenapine. <em>AAPS Pharmscitech</em>, <em>13</em>(4), 11101115. [DOI:<a href="https://doi.org/10.1208/s12249-012-9839-7">10.1208/s12249-012-9839-7</a>]</li>
<li>Boogers, L. S., Sardo Infirri, S. A., Bouchareb, A., Dijkman, B. A., Helder, D., de Blok, C. J., … &amp; Hannema, S. E. (2025). Variations in Volume: Breast Size in Trans Women in Relation to Timing of Testosterone Suppression. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>110</em>(5), 1404-1410. [DOI:<a href="https://doi.org/10.1210/clinem/dgae573">10.1210/clinem/dgae573</a>]</li>
<li>Boogers, L. S., Sardo Infirri, S. A., Bouchareb, A., Dijkman, B. A. M., Helder, D., de Blok, C. J. M., Liberton, N. P. T. J., den Heijer, M., van Trotsenburg, A. S. P., Dreijerink, K. M. A., Wiepjes, C. M., &amp; Hannema, S. E. (2025). Variations in Volume: Breast Size in Trans Women in Relation to Timing of Testosterone Suppression. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>110</em>(5), 14041410. [DOI:<a href="https://doi.org/10.1210/clinem/dgae573">10.1210/clinem/dgae573</a>]</li>
<li>Burnier, A. M., Martin, P. L., Yen, S. S., &amp; Brooks, P. (1981). Sublingual absorption of micronized 17β-estradiol. <em>American Journal of Obstetrics and Gynecology</em>, <em>140</em>(2), 146150. [DOI:<a href="https://doi.org/10.1016/0002-9378(81)90101-0">10.1016/0002-9378(81)90101-0</a>]</li>
<li>Casper, R. F., &amp; Yen, S. S. (1981). Rapid absorption of micronized estradiol-17β following sublingual administration. <em>Obstetrics and Gynecology</em>, <em>57</em>(1), 6264. [<a href="https://scholar.google.com/scholar?cluster=3969558570950135918">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/7454177/]">PubMed</a>] [<a href="https://journals.lww.com/greenjournal/Abstract/1981/01000/Rapid_Absorption_of_Micronized_Estradiol_17_.14.aspx">URL</a>] [<a href="https://files.transfemscience.org/pdfs/Casper%20&amp;%20Yen%20(1981)%20-%20Rapid%20Absorption%20of%20Micronized%20Estradiol-17β%20Following%20Sublingual%20Administration.pdf">PDF</a>]</li>
<li>Casper, R. F., &amp; Yen, S. S. (1981). Rapid absorption of micronized estradiol-17β following sublingual administration. <em>Obstetrics and Gynecology</em>, <em>57</em>(1), 6264. [<a href="https://scholar.google.com/scholar?cluster=3969558570950135918">Google Scholar</a>] [<a href="https://pubmed.ncbi.nlm.nih.gov/7454177/]">PubMed</a>] [<a href="https://journals.lww.com/greenjournal/Abstract/1981/01000/Rapid_Absorption_of_Micronized_Estradiol_17_beta_.14.aspx">URL</a>] [<a href="https://files.transfemscience.org/pdfs/Casper%20&amp;%20Yen%20(1981)%20-%20Rapid%20Absorption%20of%20Micronized%20Estradiol-17β%20Following%20Sublingual%20Administration.pdf">PDF</a>]</li>
<li>Chandrasekhara, D. S., Ali, V., Prost, H. M., &amp; Nader-Estekhari, S. (2002). Buccal estrogen in toothpaste study: systemic absorption of estradiol in postmenopausal or surgically menopausal women when administered as a component in toothpaste. <em>Fertility and Sterility</em>, <em>78</em>(Suppl 1), S98S98 (O-258). [DOI:<a href="https://doi.org/10.1016/S0015-0282(02)03639-7">10.1016/S0015-0282(02)03639-7</a>]</li>
<li>Cheung, A. S., Wynne, K., Erasmus, J., Murray, S., &amp; Zajac, J. D. (2019). Position statement on the hormonal management of adult transgender and gender diverse individuals. <em>Medical Journal of Australia</em>, <em>211</em>(3), 127133. [DOI:<a href="https://doi.org/10.5694/mja2.50259">10.5694/mja2.50259</a>]</li>
<li>Cirrincione, L. R., Winston McPherson, G., Rongitsch, J., Sadilkova, K., Drees, J. C., Krasowski, M. D., Dickerson, J. A., &amp; Greene, D. N. (2021). Sublingual Estradiol Is Associated with Higher Estrone Concentrations than Transdermal or Injectable Preparations in Transgender Women and Gender Nonbinary Adults. <em>LGBT Health</em>, <em>8</em>(2), 125132. [DOI:<a href="https://doi.org/10.1089/lgbt.2020.0249">10.1089/lgbt.2020.0249</a>]</li>
<li>Coleman, E., Radix, A. E., Bouman, W. P., Brown, G. R., De Vries, A. L., Deutsch, M. B., … &amp; Arcelus, J. (2022). Standards of care for the health of transgender and gender diverse people, version 8. <em>International Journal of Transgender Health</em>, <em>23</em>(sup1), S1-S259. [DOI:<a href="https://doi.org10.1080/26895269.2022.2100644">10.1080/26895269.2022.2100644</a>]</li>
<li>Coleman, E., Radix, A. E., Bouman, W. P., Brown, G. R., de Vries, A. L., Deutsch, M. B., Ettner, R., Fraser, L., Goodman, M., Green, J., Hancock, A. B., Johnson, T. W., Karasic, D. H., Knudson, G. A., Leibowitz, S. F., Meyer-Bahlburg, H. F., Monstrey, S. J., Motmans, J., Nahata, L., … &amp; Arcelus, J. (2022). [World Professional Association for Transgender Health (WPATH)] Standards of Care for the Health of Transgender and Gender Diverse People, Version 8. <em>International Journal of Transgender Health</em>, <em>23</em>(Suppl 1), S1S259. [DOI:<a href="https://doi.org/10.1080/26895269.2022.2100644">10.1080/26895269.2022.2100644</a>] [<a href="https://www.wpath.org/publications/soc">URL</a>] [<a href="https://www.tandfonline.com/doi/pdf/10.1080/26895269.2022.2100644">PDF</a>]</li>
<li>Collaborative Group on Hormonal Factors in Breast Cancer. (2019). Type and timing of menopausal hormone therapy and breast cancer risk: individual participant meta-analysis of the worldwide epidemiological evidence. <em>The Lancet</em>, <em>394</em>(10204), 11591168. [DOI:<a href="https://doi.org/10.1016/S0140-6736(19)31709-X">10.1016/S0140-6736(19)31709-X</a>]</li>
<li>Cortez, S., Moog, D., Lewis, C., Williams, K., Herrick, C., Fields, M., Gray, T., Guo, Z., Nicol, G., &amp; Baranski, T. (2023). Effectiveness and Safety of Different Estradiol Regimens in Transgender Women (TREAT Study): Protocol for a Randomized Controlled Trial. <em>JMIR Research Protocols</em>, <em>12</em>, e53092. [DOI:<a href="https://doi.org/10.2196/53092">10.2196/53092</a>]</li>
<li>Cortez, S., Moog, D., Lewis, C., Williams, K., Herrick, C. J., Fields, M. E., &amp; Baranski, T. (2024). Effectiveness and safety of different estradiol regimens in transgender females: a randomized controlled trial. <em>Journal of the Endocrine Society</em>, <em>8</em>(8), bvae108. [DOI:<a href="https://doi.org/10.1210/jendso/bvae108"> 10.1210/jendso/bvae108</a>]</li>
<li>Cummings, S. R., Eckert, S., Krueger, K. A., Grady, D., Powles, T. J., Cauley, J. A., &amp; Jordan, V. C. (1999). The effect of raloxifene on risk of breast cancer in postmenopausal women: results from the MORE randomized trial. <em>JAMA</em>, <em>281</em>(23), 2189-2197. [DOI:<a href="https://doi.org/10.1001/jama.281.23.2189">10.1001/jama.281.23.2189</a>]</li>
<li>Cortez, S., Moog, D., Lewis, C., Williams, K., Herrick, C. J., Fields, M. E., Gray, T., Guo, Z., Nicol, G., &amp; Baranski, T. (2024). Effectiveness and safety of different estradiol regimens in transgender females: a randomized controlled trial. <em>Journal of the Endocrine Society</em>, <em>8</em>(8), bvae108. [DOI:<a href="https://doi.org/10.1210/jendso/bvae108">10.1210/jendso/bvae108</a>]</li>
<li>Cummings, S. R., Eckert, S., Krueger, K. A., Grady, D., Powles, T. J., Cauley, J. A., Norton, L., Nickelsen, T., Bjarnason, N. H., Morrow, M., Lippman, M. E., Black, D., Glusman, J. E., Costa, A., &amp; Jordan, V. C. (1999). The effect of raloxifene on risk of breast cancer in postmenopausal women: results from the MORE randomized trial. <em>JAMA</em>, <em>281</em>(23), 21892197. [DOI:<a href="https://doi.org/10.1001/jama.281.23.2189">10.1001/jama.281.23.2189</a>]</li>
<li>de Blok, C., Dijkman, B., Wiepjes, C. M., Staphorsius, A. S., Timmermans, F. W., Smit, J. M., Dreijerink, K., &amp; den Heijer, M. (2021). Sustained Breast Development and Breast Anthropometric Changes in 3 Years of Gender-Affirming Hormone Treatment. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>106</em>(2), e782e790. [DOI:<a href="https://doi.org/10.1210/clinem/dgaa841">10.1210/clinem/dgaa841</a>]</li>
<li>Deutsch, M. B., Bhakri, V., &amp; Kubicek, K. (2015). Effects of cross-sex hormone treatment on transgender women and men. <em>Obstetrics and Gynecology</em>, <em>125</em>(3), 605610. [DOI:<a href="https://doi.org/10.1097/AOG.0000000000000692">10.1097/AOG.0000000000000692</a>]</li>
<li>Devissaguet, J. P., Brion, N., Lhote, O., &amp; Deloffre, P. (1999). Pulsed estrogen therapy: pharmacokinetics of intranasal 17-beta-estradiol (S21400) in postmenopausal women and comparison with oral and transdermal formulations. <em>European Journal of Drug Metabolism and Pharmacokinetics</em>, <em>24</em>(3), 265271. [DOI:<a href="https://doi.org/10.1007/BF03190030">10.1007/BF03190030</a>]</li>
@ -2964,14 +2975,14 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Gass, M. S., Rebar, R. W., Cuffie-Jackson, C., Cedars, M. I., Lobo, R. A., Shoupe, D., Judd, H. L., Buyalos, R. P., &amp; Clisham, P. R. (2004). A short study in the treatment of hot flashes with buccal administration of 17-β estradiol. <em>Maturitas</em>, <em>49</em>(2), 140147. [DOI:<a href="https://doi.org/10.1016/j.maturitas.2003.12.004">10.1016/j.maturitas.2003.12.004</a>]</li>
<li>Getahun, D., Nash, R., Flanders, W. D., Baird, T. C., Becerra-Culqui, T. A., Cromwell, L., Hunkeler, E., Lash, T. L., Millman, A., Quinn, V. P., Robinson, B., Roblin, D., Silverberg, M. J., Safer, J., Slovis, J., Tangpricha, V., &amp; Goodman, M. (2018). Cross-sex hormones and acute cardiovascular events in transgender persons: a cohort study. <em>Annals of Internal Medicine</em>, <em>169</em>(4), 205213. [DOI:<a href="https://doi.org/10.7326/M17-2785">10.7326/M17-2785</a>]</li>
<li>Gindis, G., Yaish, I., Greenman, Y., Moshe, Y., Arbiv, M., Buch, A., Sofer, Y., Shefer, G., &amp; Tordjman, K. (May 2023). Sublingual estradiol only, offers no apparent advantage over combined oral estradiol and cyproterone acetate, for Gender Affirming Hormone Therapy (GAHT) of treatment-naive transwomen: Results of a prospective pilot study. <em>Endocrine Abstracts</em>, <em>90</em> [<em>25th European Congress of Endocrinology 2023, 1316 May 2023, Istanbul, Turkey</em>], 274274 (abstract no. P182). [DOI:<a href="https://doi.org/10.1530/endoabs.90.p182">10.1530/endoabs.90.p182</a>] [<a href="https://www.endocrine-abstracts.org/media/upujresq/ece2023abstractbook.pdf#page=274">PDF</a>]</li>
<li>Grock, S., Patel, R., &amp; Ahern, S. (2024). Hormone Therapy for Transgender and Gender-Diverse Patients. In Genital Gender Affirming Surgery: An Illustrated Guide and Video Atlas (pp. 33-49). <em>Cham: Springer Nature Switzerland.</em> [DOI:<a href="https://doi.org/10.1007/978-3-031-69997-9_4">10.1007/978-3-031-69997-9_4</a>]</li>
<li>Grock, S., Patel, R., &amp; Ahern, S. (2024). Hormone Therapy for Transgender and Gender-Diverse Patients. In Genital Gender Affirming Surgery: An Illustrated Guide and Video Atlas (pp. 3349). <em>Cham: Springer Nature Switzerland.</em> [DOI:<a href="https://doi.org/10.1007/978-3-031-69997-9_4">10.1007/978-3-031-69997-9_4</a>]</li>
<li>Haupt, C., Henke, M., Kutschmar, A., Hauser, B., Baldinger, S., Saenz, S. R., &amp; Schreiber, G. (2020). Antiandrogen or estradiol treatment or both during hormone therapy in transitioning transgender women. <em>Cochrane Database of Systematic Reviews</em>, <em>11</em>(11), CD013138. [DOI:<a href="https://doi.org/10.1002/14651858.CD013138.pub2">10.1002/14651858.CD013138.pub2</a>]</li>
<li>Hoon, T. J., Dawood, M. Y., KhanDawood, F. S., Ramos, J., &amp; Batenhorst, R. L. (1993). Bioequivalence of a 17βEstradiol HydroxypropylβCyclodextrin Complex in Postmenopausal Women. <em>The Journal of Clinical Pharmacology</em>, <em>33</em>(11), 11161121. [DOI:<a href="https://doi.org/10.1002/j.1552-4604.1993.tb01949.x">10.1002/j.1552-4604.1993.tb01949.x</a>]</li>
<li>Huggins, C., &amp; Hodges, C. V. (1941). Studies on prostatic cancer. I. The effect of castration, of estrogen and of androgen injection on serum phosphatases in metastatic carcinoma of the prostate. <em>Cancer Research</em>, <em>1</em>(4), 293297. [DOI:<a href="https://doi.org/10.3322/canjclin.22.4.232">10.3322/canjclin.22.4.232</a>]</li>
<li>Huggins, C., &amp; Hodges, C. V. (1941). Studies on prostatic cancer. I. The effect of castration, of estrogen and of androgen injection on serum phosphatases in metastatic carcinoma of the prostate. <em>Cancer Research</em>, <em>1</em>(4), 293297. [<a href="https://aacrjournals.org/cancerres/article/1/4/293/472266/Studies-on-Prostatic-Cancer-I-The-Effect-of">URL</a>]</li>
<li>Jain, J., Kwan, D., &amp; Forcier, M. (2019). Medroxyprogesterone acetate in Gender-Affirming therapy for Transwomen: results from a retrospective study. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>104</em>(11), 51485156. [DOI:<a href="https://doi.org/10.1210/jc.2018-02253">10.1210/jc.2018-02253</a>]</li>
<li>Jalal, E., &amp; Baldwin, C. (2023). Supratherapeutic Estrogen Levels in Transgender Women Likely From Sublingual Estradiol. <em>Journal of the Endocrine Society</em>, <em>7</em>(Suppl 1) [<em>ENDO 2023 Abstracts Annual Meeting of the Endocrine Society</em>], A1095A1096 (abstract no. SAT391/bvad114.2062). [DOI:<a href="https://doi.org/10.1210/jendso/bvad114.2062">10.1210/jendso/bvad114.2062</a>] [<a href="https://academic.oup.com/jes/article-pdf/7/Supplement_1/bvad114.2062/51903510/bvad114.2062.pdf">PDF</a>]</li>
<li>Jin, J., Sklar, G. E., Oh, V. M. S., &amp; Li, S. C. (2008). Factors affecting therapeutic compliance: A review from the patients perspective. <em>Therapeutics and Clinical Risk Management</em>, <em>4</em>(1), 269286. [DOI:<a href="https://doi.org/10.2147/TCRM.S1458">10.2147/TCRM.S1458</a>]</li>
<li>Kariyawasam, N. M., Ahmad, T., Sarma, S., &amp; Fung, R. (2025). Comparison of estrone/estradiol ratio and levels in transfeminine individuals on different routes of estradiol. <em>Transgender Health</em>, <em>10</em>(3), 261-268. [DOI:<a href="https://doi.org/10.1089/trgh.2023.0138">10.1089/trgh.2023.0138</a>]</li>
<li>Kariyawasam, N. M., Ahmad, T., Sarma, S., &amp; Fung, R. (2025). Comparison of estrone/estradiol ratio and levels in transfeminine individuals on different routes of estradiol. <em>Transgender Health</em>, <em>10</em>(3), 261268. [DOI:<a href="https://doi.org/10.1089/trgh.2023.0138">10.1089/trgh.2023.0138</a>]</li>
<li>Klaver, M., de Blok, C. J. M., Wiepjes, C. M., Nota, N. M., Dekker, M. J., de Mutsert, R., Schreiner, T., Fisher, A. D., TSjoen, G., &amp; den Heijer, M. (2018). Changes in regional body fat, lean body mass and body shape in trans persons using cross-sex hormonal therapy: results from a multicenter prospective study. <em>European Journal of Endocrinology</em>, <em>178</em>(2), 163171. [DOI:<a href="https://doi.org/10.1530/EJE-17-0496">10.1530/EJE-17-0496</a>]</li>
<li>Kohli, M. (2006). Phase II study of transdermal estradiol in androgenindependent prostate carcinoma. <em>Cancer</em>, <em>106</em>(1), 234235. [DOI:<a href="https://doi.org/10.1002/cncr.21528">10.1002/cncr.21528</a>]</li>
<li>Kuhl, H. (2005). Pharmacology of estrogens and progestogens: influence of different routes of administration. <em>Climacteric</em>, <em>8</em>(Suppl 1), 363. [DOI:<a href="https://doi.org/10.1080/13697130500148875">10.1080/13697130500148875</a>] [<a href="https://hormonebalance.org/images/documents/Kuhl%2005%20%20Pharm%20Estro%20Progest%20Climacteric_1311166827.pdf">PDF</a>]</li>
@ -2982,9 +2993,9 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Lim, H. H., Jang, Y. H., Choi, G. Y., Lee, J. J., &amp; Lee, E. S. (2019). Gender affirmative care of transgender people: a single centers experience in Korea. <em>Obstetrics &amp; Gynecology Science</em>, <em>62</em>(1), 4655. [DOI:<a href="https://doi.org/10.5468/ogs.2019.62.1.46">10.5468/ogs.2019.62.1.46</a>]</li>
<li>Liu, B., Beral, V., Balkwill, A., Green, J., Sweetland, S., &amp; Reeves, G. (2008). Gallbladder disease and use of transdermal versus oral hormone replacement therapy in postmenopausal women: prospective cohort study. <em>BMJ</em>, 337. [DOI:<a href="https://doi.org/10.1136/bmj.a386">10.1136/bmj.a386</a>]</li>
<li>Lobo, R. A. (1987). Absorption and metabolic effects of different types of estrogens and progestogens. <em>Obstetrics and Gynecology Clinics of North America</em>, <em>14</em>(1), 143167. [<a href="https://pubmed.ncbi.nlm.nih.gov/3306517/]">PubMed</a>] [DOI:<a href="https://doi.org/10.1016/S0889-8545(21)00577-5">10.1016/S0889-8545(21)00577-5</a>] [<a href="https://www.obgyn.theclinics.com/article/S0889-8545(21)00577-5/fulltext">URL</a>]</li>
<li>Lopez, L. M., Ramesh, S., Chen, M., Edelman, A., Otterness, C., Trussell, J., &amp; Helmerhorst, F. M. (2016). Progestinonly contraceptives: effects on weight. <em>Cochrane Database of Systematic Reviews</em>, (8). [DOI:<a href="https://doi.org/10.1002/14651858.CD008815.pub4">10.1002/14651858.CD008815.pub4</a>]</li>
<li>Lopez, L. M., Ramesh, S., Chen, M., Edelman, A., Otterness, C., Trussell, J., &amp; Helmerhorst, F. M. (2016). Progestin-only contraceptives: effects on weight. <em>Cochrane Database of Systematic Reviews</em>, <em>2016</em>(8). [DOI:<a href="https://doi.org/10.1002/14651858.cd008815.pub4">10.1002/14651858.cd008815.pub4</a>]</li>
<li>Mikkola, A., Aro, J., Rannikko, S., Oksanen, H., Ruutu, M., &amp; Finnprostate Group. (2005). Cardiovascular complications in patients with advanced prostatic cancer treated by means of orchiectomy or polyestradiol phosphate. <em>Scandinavian Journal of Urology and Nephrology</em>, <em>39</em>(4), 294300. [DOI:<a href="https://doi.org/10.1080/00365590510031228">10.1080/00365590510031228</a>]</li>
<li>Misakian, A. L., Ariel, D., Sullivan, E. A., Singh, G., Loeb, D., Strickland, T., &amp; Hamnvik, O. P. R. (2025). Injectable estradiol monotherapy effectively suppresses testosterone in gender-affirming hormone therapy. <em>Endocrine Practice</em>. [DOI:<a href="https://doi.org/10.1016/j.eprac.2025.07.002">10.1016/j.eprac.2025.07.002</a>]</li>
<li>Misakian, A. L., Ariel, D., Sullivan, E. A., Singh, G., Loeb, D., Strickland, T., Iwamoto, S. J., Rothman, M. S., Botzheim, B., Liang, J. W., Kelley, C., &amp; Hamnvik, O. R. (2025). Injectable Estradiol Monotherapy Effectively Suppresses Testosterone in Gender-Affirming Hormone Therapy. <em>Endocrine Practice</em>, <em>31</em>(11), 14621469. [DOI:<a href="https://doi.org/10.1016/j.eprac.2025.07.002">10.1016/j.eprac.2025.07.002</a>]</li>
<li>Mishra, S. R., Chung, H. F., Waller, M., &amp; Mishra, G. D. (2021). Duration of estrogen exposure during reproductive years, age at menarche and age at Menopause, and risk of cardiovascular disease events, allcause and cardiovascular mortality: a systematic review and metaanalysis. <em>BJOG: An International Journal of Obstetrics &amp; Gynaecology</em>, <em>128</em>(5), 809821. [DOI:<a href="https://doi.org/10.1111/1471-0528.16524">10.1111/1471-0528.16524</a>]</li>
<li>Morimont, L., Dogné, J. M., &amp; Douxfils, J. (2020). Letter to the Editors-in-Chief in response to the article of Abou-Ismail, et al. entitled <em>“Estrogen and thrombosis: A bench to bedside review”</em> (Thrombosis Research 192 (2020) 4051). <em>Thrombosis Research</em>, <em>193</em>, 221223. [DOI:<a href="https://doi.org/10.1016/j.thromres.2020.08.006">10.1016/j.thromres.2020.08.006</a>]</li>
<li>Oliver-Williams, C., Glisic, M., Shahzad, S., Brown, E., Pellegrino Baena, C., Chadni, M., Chowdhury, R., Franco, O. H., &amp; Muka, T. (2019). The route of administration, timing, duration and dose of postmenopausal hormone therapy and cardiovascular outcomes in women: a systematic review. <em>Human Reproduction Update</em>, <em>25</em>(2), 257271. [DOI:<a href="https://doi.org/10.1093/humupd/dmy039">10.1093/humupd/dmy039</a>]</li>
@ -2997,32 +3008,32 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Rosenfield, R. L., Devine, N., Hunold, J. J., Mauras, N., Moshang Jr, T., &amp; Root, A. W. (2005). Salutary effects of combining early very low-dose systemic estradiol with growth hormone therapy in girls with Turner syndrome. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>90</em>(12), 64246430. [DOI:<a href="https://doi.org/10.1210/jc.2005-1081">10.1210/jc.2005-1081</a>]</li>
<li>Rovinski, D., Ramos, R. B., Fighera, T. M., Casanova, G. K., &amp; Spritzer, P. M. (2018). Risk of venous thromboembolism events in postmenopausal women using oral versus non-oral hormone therapy: a systematic review and meta-analysis. <em>Thrombosis Research</em>, <em>168</em>, 8395. [DOI:<a href="https://doi.org/10.1016/j.thromres.2018.06.014">10.1016/j.thromres.2018.06.014</a>]</li>
<li>Ruggles, T., &amp; Cheung, A. S. (2024). Re:” Sublingual Estradiol Offers No Apparent Advantage over Combined Oral Estradiol and Cyproterone Acetate for Gender-Affirming Hormone Therapy of Treatment-Naive Trans Women: Results of a Prospective Pilot Study” by Yaish et al. <em>Transgender Health</em>, <em>9</em>(5), 459. [DOI:<a href="https://doi.org/10.1089/trgh.2024.0048">10.1089/trgh.2024.0048</a>]</li>
<li>Salakphet, T., Mattawanon, N., Manojai, N., Muangmool, T., &amp; Tangpricha, V. (2022). Hormone concentrations in transgender women who self-prescribe gender affirming hormone therapy: a retrospective study. <em>The Journal of Sexual Medicine</em>, <em>19</em>(5), 864-871. [DOI:<a href="https://doi.org/10.1016/j.jsxm.2022.02.023">10.1016/j.jsxm.2022.02.023</a>]</li>
<li>Safer, J. D. (2022). Are the Pharmacokinetics of Sublingual Estradiol Superior or Inferior to Those of Oral Estradiol? <em>Endocrine Practice</em>, <em>28</em>(3), 351352. [DOI:<a href="https://doi.org/10.1016/j.eprac.2021.12.018">10.1016/j.eprac.2021.12.018</a>]</li>
<li>Salakphet, T., Mattawanon, N., Manojai, N., Muangmool, T., &amp; Tangpricha, V. (2022). Hormone concentrations in transgender women who self-prescribe gender affirming hormone therapy: a retrospective study. <em>The Journal of Sexual Medicine</em>, <em>19</em>(5), 864871. [DOI:<a href="https://doi.org/10.1016/j.jsxm.2022.02.023">10.1016/j.jsxm.2022.02.023</a>]</li>
<li>Sarvaideo, J., Doll, E., &amp; Tangpricha, V. (2022). More Studies Are Needed to Establish the Safety and Efficacy of Sublingual Estradiol in Transgender Women. <em>Endocrine Practice</em>, <em>28</em>(3), 353354. [DOI:<a href="https://doi.org/10.1016/j.eprac.2022.01.004">10.1016/j.eprac.2022.01.004</a>]</li>
<li>Sciarra, A., Gentile, V., Cattarino, S., Gentilucci, A., Alfarone, A., DEramo, G., &amp; Salciccia, S. (2015). Oral ethinylestradiol in castrationresistant prostate cancer: a 10year experience. <em>International Journal of Urology</em>, <em>22</em>(1), 98103. [DOI:<a href="https://doi.org/10.1111/iju.12613">10.1111/iju.12613</a>]</li>
<li>Serhal, P., &amp; Craft, I. (1989). Oocyte donation in 61 patients. <em>The Lancet</em>, <em>333</em>(8648), 11851187. [DOI:<a href="https://doi.org/10.1016/S0140-6736(89)92762-1">10.1016/S0140-6736(89)92762-1</a>]</li>
<li>Serhal, P. (1990). Oocyte donation and surrogacy. <em>British Medical Bulletin</em>, <em>46</em>(3), 796812. [DOI:<a href="https://doi.org/10.1093/oxfordjournals.bmb.a072432">10.1093/oxfordjournals.bmb.a072432</a>]</li>
<li>Shah, S., Forghani, N., Durham, E., &amp; Neely, E. K. (2014). A randomized trial of transdermal and oral estrogen therapy in adolescent girls with hypogonadism. <em>International Journal of Pediatric Endocrinology</em>, <em>2014</em>(1), 12. [DOI:<a href="https://doi.org/10.1186/1687-9856-2014-12">10.1186/1687-9856-2014-12</a>]</li>
<li>Slack, D. J., Ioschpe, A. D. V., Saturno, M., Kihuwa-Mani, S., Amakiri, U. O., Guerra, D., &amp; Safer, J. D. (2025). Examining the influence of the route of administration and dose of estradiol on serum estradiol and testosterone levels in feminizing gender-affirming hormone therapy. <em>Endocrine Practice</em>, <em>31</em>(1), 19-27. [DOI:<a href="https://doi.org/10.1016/j.eprac.2024.10.002">10.1016/j.eprac.2024.10.002</a>]</li>
<li>SoRelle, J. A., Jiao, R., Gao, E., Veazey, J., Frame, I., Quinn, A. M., &amp; Patel, K. (2019). Impact of hormone therapy on laboratory values in transgender patients. <em>Clinical Chemistry</em>, <em>65</em>(1), 170-179. [DOI:<a href="https://doi.org/10.1373/clinchem.2018.292730">10.1373/clinchem.2018.292730</a>]</li>
<li>Slack, D. J., Di Via Ioschpe, A., Saturno, M., Kihuwa-Mani, S., Amakiri, U. O., Guerra, D., Karim, S., &amp; Safer, J. D. (2025). Examining the Influence of the Route of Administration and Dose of Estradiol on Serum Estradiol and Testosterone Levels in Feminizing Gender-Affirming Hormone Therapy. <em>Endocrine Practice</em>, <em>31</em>(1), 1927. [DOI:<a href="https://doi.org/10.1016/j.eprac.2024.10.002">10.1016/j.eprac.2024.10.002</a>]</li>
<li>SoRelle, J. A., Jiao, R., Gao, E., Veazey, J., Frame, I., Quinn, A. M., Day, P., Pagels, P., Gimpel, N., &amp; Patel, K. (2019). Impact of Hormone Therapy on Laboratory Values in Transgender Patients. <em>Clinical Chemistry</em>, <em>65</em>(1), 170179. [DOI:<a href="https://doi.org/10.1373/clinchem.2018.292730">10.1373/clinchem.2018.292730</a>]</li>
<li>Stanczyk, F. Z., Archer, D. F., &amp; Bhavnani, B. R. (2013). Ethinyl estradiol and 17β-estradiol in combined oral contraceptives: pharmacokinetics, pharmacodynamics and risk assessment. <em>Contraception</em>, <em>87</em>(6), 706727. [DOI:<a href="https://doi.org/10.1016/j.contraception.2012.12.011">10.1016/j.contraception.2012.12.011</a>]</li>
<li>Stege, R., Gunnarsson, P. O., Johansson, C. J., Olsson, P., Pousette, Å., &amp; Carlström, K. (1996). Pharmacokinetics and testosterone suppression of a single dose of polyestradiol phosphate (Estradurin®) in prostatic cancer patients. <em>The Prostate</em>, <em>28</em>(5), 307310. [DOI:<a href="https://doi.org/10.1002/(SICI)1097-0045(199605)28:5%3C307::AID-PROS6%3E3.0.CO;2-8">10.1002/(SICI)1097-0045(199605)28:5&lt;307::AID-PROS6&gt;3.0.CO;2-8</a>]</li>
<li>Sudhakar, D., Huang, Z., Zietkowski, M., Powell, N., &amp; Fisher, A. R. (2023). Feminizing genderaffirming hormone therapy for the transgender and gender diverse population: An overview of treatment modality, monitoring, and risks. <em>Neurourology and Urodynamics</em>, <em>42</em>(5), 903-920. [DOI:<a href="https://doi.org/10.1002/nau.25097">10.1002/nau.25097</a>]</li>
<li>Tebbens, M., Heijboer, A. C., TSjoen, G., Bisschop, P. H., &amp; den Heijer, M. (2022). The role of estrone in feminizing hormone treatment. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>107</em>(2), 458-466. [DOI:<a href="https://doi.org/10.1210/clinem/dgab741">10.1210/clinem/dgab741</a>]</li>
<li>Sudhakar, D., Huang, Z., Zietkowski, M., Powell, N., &amp; Fisher, A. R. (2023). Feminizing genderaffirming hormone therapy for the transgender and gender diverse population: An overview of treatment modality, monitoring, and risks. <em>Neurourology and Urodynamics</em>, <em>42</em>(5), 903920. [DOI:<a href="https://doi.org/10.1002/nau.25097">10.1002/nau.25097</a>]</li>
<li>Tebbens, M., Heijboer, A. C., TSjoen, G., Bisschop, P. H., &amp; den Heijer, M. (2022). The role of estrone in feminizing hormone treatment. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>107</em>(2), 458466. [DOI:<a href="https://doi.org/10.1210/clinem/dgab741">10.1210/clinem/dgab741</a>]</li>
<li>TSjoen, G., Arcelus, J., De Vries, A. L., Fisher, A. D., Nieder, T. O., Özer, M., &amp; Motmans, J. (2020). European Society for Sexual Medicine position statement “assessment and hormonal management in adolescent and adult trans people, with attention for sexual function and satisfaction”. <em>The Journal of Sexual Medicine</em>, <em>17</em>(4), 570584. [DOI:<a href="https://doi.org/10.1016/j.jsxm.2020.01.012">10.1016/j.jsxm.2020.01.012</a>]</li>
<li>Totaro, M., Palazzi, S., Castellini, C., Parisi, A., DAmato, F., Tienforti, D., … &amp; Barbonetti, A. (2021). Risk of venous thromboembolism in transgender people undergoing hormone feminizing therapy: a prevalence meta-analysis and meta-regression study. <em>Frontiers In Endocrinology</em>, 12, 741866. [DOI:<a href="https://doi.org/10.3389/fendo.2021.741866">10.3389/fendo.2021.741866</a>]</li>
<li>Thurman, A., Kimble, T., Hall, P., Schwartz, J. L., &amp; Archer, D. F. (2013). Medroxyprogesterone acetate and estradiol cypionate injectable suspension (Cyclofem) monthly contraceptive injection: steady-state pharmacokinetics. <em>Contraception</em>, <em>87</em>(6), 738743. [DOI:<a href="https://doi.org/10.1016/j.contraception.2012.11.010">10.1016/j.contraception.2012.11.010</a>]</li>
<li>Toh, M. R., Teo, V., Kwan, Y. H., Raaj, S., Tan, S. Y. D., &amp; Tan, J. Z. Y. (2014). Association between number of doses per day, number of medications and patients non-compliance, and frequency of readmissions in a multi-ethnic Asian population. <em>Preventive Medicine Reports</em>, <em>1</em>, 4347. [DOI:<a href="https://doi.org/10.1016/j.pmedr.2014.10.001">10.1016/j.pmedr.2014.10.001</a>]</li>
<li>Totaro, M., Palazzi, S., Castellini, C., Parisi, A., DAmato, F., Tienforti, D., Baroni, M. G., Francavilla, S., &amp; Barbonetti, A. (2021). Risk of Venous Thromboembolism in Transgender People Undergoing Hormone Feminizing Therapy: A Prevalence Meta-Analysis and Meta-Regression Study. <em>Frontiers in Endocrinology</em>, <em>12</em>, 741866. [DOI:<a href="https://doi.org/10.3389/fendo.2021.741866">10.3389/fendo.2021.741866</a>]</li>
<li>Tsai, C. C., &amp; Yen, S. S. C. (1971). Acute effects of intravenous infusion of 17β-estradiol on gonadotropin release in pre-and post-menopausal women. <em>The Journal of Clinical Endocrinology &amp; Metabolism</em>, <em>32</em>(6), 766771. [DOI:<a href="https://doi.org/10.1210/jcem-32-6-766">10.1210/jcem-32-6-766</a>]</li>
<li>Verdonk, S. J., Vesper, H. W., Martens, F., Sluss, P. M., Hillebrand, J. J., &amp; Heijboer, A. C. (2019). Estradiol reference intervals in women during the menstrual cycle, postmenopausal women and men using an LC-MS/MS method. <em>Clinica Chimica Acta</em>, <em>495</em>, 198204. [DOI:<a href="https://doi.org/10.1016/j.cca.2019.04.062">10.1016/j.cca.2019.04.062</a>]</li>
<li>Wiegratz, I., Fink, T., Rohr, U. D., Lang, E., Leukel, P., &amp; Kuhl, H. (2001). Überkreuz-Vergleich der Pharmakokinetik von Estradiol unter der Hormonsubstitution mit Estradiolvalerat oder mikronisiertem Estradiol. [Cross-over comparison of the pharmacokinetics of estradiol during hormone replacement therapy with estradiol valerate or micronized estradiol.] <em>Zentralblatt für Gynäkologie</em>, <em>123</em>(9), 505512. [<a href="https://pubmed.ncbi.nlm.nih.gov/11709743/">PubMed</a>] [DOI:<a href="https://doi.org/10.1055/s-2001-18223">10.1055/s-2001-18223</a>]</li>
<li>Wisner, K. L., Sit, D. K., Moses-Kolko, E. L., Driscoll, K. E., Prairie, B. A., Stika, C. S., Eng, H. F., Dills, J. L., Luther, J. F., &amp; Wisniewski, S. R. (2015). Transdermal estradiol treatment for postpartum depression: a pilot randomized trial. <em>Journal of Clinical Psychopharmacology</em>, <em>35</em>(4), 389395. [DOI:<a href="https://doi.org/10.1097/JCP.0000000000000351">10.1097/JCP.0000000000000351</a>]</li>
<li>Wren, B. G., Day, R. O., McLachlan, A. J., &amp; Williams, K. M. (2003). Pharmacokinetics of estradiol, progesterone, testosterone and dehydroepiandrosterone after transbuccal administration to postmenopausal women. <em>Climacteric</em>, <em>6</em>(2), 104111. [DOI:<a href="https://doi.org/10.1080/cmt.6.2.104.111">10.1080/cmt.6.2.104.111</a>]</li>
<li>Yaish, I., Gindis, G., Greenman, Y., Shefer, G., Buch, A., Arbiv, M., Moshe, Y., Sofer, Y., &amp; Tordjman, K. M. (2023). Sublingual Estradiol Only, Compared To Combined Oral Estradiol And Cyproterone Acetate,Offers No Apparent Advantage For Gender Affirming Hormone Therapy (GHAT), In Treatment Naïve Transwomen: Results Of A Prospective Pilot Study. <em>Journal of the Endocrine Society</em>, <em>7</em>(Suppl 1) [<em>ENDO 2023 Abstracts Annual Meeting of the Endocrine Society</em>], A1104A1105 (abstract no. SAT409/bvad114.2080). [DOI:<a href="https://doi.org/10.1210/jendso/bvad114.2080">10.1210/jendso/bvad114.2080</a>] [<a href="https://academic.oup.com/jes/article-pdf/7/Supplement_1/bvad114.2080/51899408/bvad114.2080.pdf">PDF</a>]</li>
<li>Yaish, I., Gindis, G., Greenman, Y., Moshe, Y., Arbiv, M., Buch, A., Sofer, Y., Shefer, G., &amp; Tordjman, K. (2023). Sublingual Estradiol Offers No Apparent Advantage Over Combined Oral Estradiol and Cyproterone Acetate for Gender-Affirming Hormone Therapy of Treatment-Naive Trans Women: Results of a Prospective Pilot Study. <em>Transgender Health</em>, <em>8</em>(6), 485493. [DOI:<a href="https://doi.org/10.1089/trgh.2023.0022">10.1089/trgh.2023.0022</a>]</li>
<li>Yaish, I., Greenman, Y., Sofer, Y., &amp; Tordjman, K. M. (2024). Response to Ruggles and Cheung, Re:” Sublingual Estradiol Offers No Apparent Advantage Over Combined Oral Estradiol and Cyproterone Acetate for Gender-Affirming Hormone Therapy of Treatment-Naive Trans Women: Results of a Prospective Pilot Study”. <em>Transgender Health</em>, <em>9</em>(5), 460-461. [DOI:<a href="https://doi.org/10.1089/trgh.2024.0105">10.1089/trgh.2024.0105</a>]</li>
<li>Yaish, I., Buch, A., Gindis, G., Sofer, Y., Arbiv, M., Moshe, Y., … &amp; Tordjman, K. (2025). Early body composition changes in trans women on low-dose estradiol: comparing oral vs sublingual administration using dual energy absorptiometry and bioelectrical impedance analysis. <em>The Journal of Sexual Medicine</em>, <em>22</em>(4), 625-635. [DOI:<a href="https://doi.org/10.1093/jsxmed/qdaf005">10.1093/jsxmed/qdaf005</a>]</li>
<li>Yaish, I., Gindis, G., Greenman, Y., Shefer, G., Buch, A., Arbiv, M., Moshe, Y., Sofer, Y., &amp; Tordjman, K. M. (2023). Sublingual Estradiol Only, Compared To Combined Oral Estradiol And Cyproterone Acetate,Offers No Apparent Advantage For Gender Affirming Hormone Therapy (GHAT), In Treatment Naïve Transwomen: Results Of A Prospective Pilot Study. <em>Journal of the Endocrine Society</em>, <em>7</em>(Suppl 1) [<em>ENDO 2023 Abstracts Annual Meeting of the Endocrine Society</em>], A1104A1105 (abstract no. SAT409/bvad114.2080). [DOI:<a href="https://doi.org/10.1210/jendso/bvad114.2080">10.1210/jendso/bvad114.2080</a>] [<a href="https://academic.oup.com/jes/article-pdf/7/Supplement_1/bvad114.2080/51899408/bvad114.2080.pdf">PDF</a>]</li>
<li>Yaish, I., Greenman, Y., Sofer, Y., &amp; Tordjman, K. M. (2024). Response to Ruggles and Cheung, Re:” Sublingual Estradiol Offers No Apparent Advantage Over Combined Oral Estradiol and Cyproterone Acetate for Gender-Affirming Hormone Therapy of Treatment-Naive Trans Women: Results of a Prospective Pilot Study”. <em>Transgender Health</em>, <em>9</em>(5), 460461. [DOI:<a href="https://doi.org/10.1089/trgh.2024.0105">10.1089/trgh.2024.0105</a>]</li>
<li>Yaish, I., Buch, A., Gindis, G., Sofer, Y., Arbiv, M., Moshe, Y., Grenman, Y., &amp; Tordjman, K. (2025). Early body composition changes in trans women on low-dose estradiol: comparing oral vs sublingual administration using dual energy absorptiometry and bioelectrical impedance analysis. <em>The Journal of Sexual Medicine</em>, <em>22</em>(4), 625635. [DOI:<a href="https://doi.org/10.1093/jsxmed/qdaf005">10.1093/jsxmed/qdaf005</a>]</li>
</ul>]]></content><author><name>{&quot;first_name&quot;=&gt;&quot;Sam&quot;, &quot;last_name&quot;=&gt;&quot;S.&quot;, &quot;author-link&quot;=&gt;&quot;/about/#sam&quot;, &quot;articles-link&quot;=&gt;&quot;/articles-by-author/sam/&quot;}</name></author><category term="github" /><category term="workspace" /><summary type="html"><![CDATA[An Exploration of Sublingual Estradiol as an Alternative to Oral Estradiol in Transfeminine People By Sam | First published June 11, 2021 | Last modified August 14, 2025]]></summary></entry><entry><title type="html">Clinical Guidelines with Information on Transfeminine Hormone Therapy</title><link href="https://transfemscience.org/articles/transfem-hormone-guidelines/" rel="alternate" type="text/html" title="Clinical Guidelines with Information on Transfeminine Hormone Therapy" /><published>2020-11-20T10:00:00-08:00</published><updated>2024-11-17T00:00:00-08:00</updated><id>https://transfemscience.org/articles/transfem-hormone-guidelines</id><content type="html" xml:base="https://transfemscience.org/articles/transfem-hormone-guidelines/"><![CDATA[<h1 id="clinical-guidelines-with-information-on-transfeminine-hormone-therapy">Clinical Guidelines with Information on Transfeminine Hormone Therapy</h1>
<!-- Supports up to four authors per article currently (author, author2, author3, author4) -->
@ -3039,7 +3050,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<p>Clinicians use <a href="https://en.wikipedia.org/wiki/Medical_guideline">clinical practice guidelines</a> (CPGs) to learn about and guide themselves in administering medical care for different indications. Clinical practice guidelines review and summarize the available scientific literature and research in a given medical area. They allow clinicians to competently administer care without necessarily having to delve into and develop their understanding via the primary scientific literature. <a href="https://en.wikipedia.org/wiki/Literature_review">Literature reviews</a> can serve a similar function. However, clinical practice guidelines are generally more substantial and are more founded in <a href="https://en.wikipedia.org/wiki/Evidence-based_medicine">evidence-based medicine</a>. They are also regularly updated. Clinical practice guidelines are developed and maintained by clinical organizations and societies, universities, government agencies, and sometimes even large medical clinics. They may be international/locationless or oftentimes region-specific.</p>
<p>There are many clinical practice guidelines for transgender medicine (for review, <a href="https://dx.doi.org/10.1001%2Fjournalofethics.2016.18.11.stas1-1611">Deutsch, Radix, &amp; Reisner, 2016</a>; <a href="https://doi.org/10.1016/j.ucl.2019.07.001">Radix, 2019</a>; <a href="https://doi.org/10.1007/978-3-030-05683-4_4">Radix, 2019</a>; <a href="https://www.uptodate.com/contents/society-guideline-links-transgender-health">UpToDate</a>; <a href="https://doi.org/10.1210/jendso/bvab048.1609">Bewley et al., 2021</a>; <a href="https://doi.org/10.1136/bmjopen-2021-048943">Dahlen et al., 2021</a>; <a href="https://doi.org/10.1089/trgh.2020.0043">Ziegler, Carroll, &amp; Charnish, 2021</a>). These guidelines discuss topics such as psychotherapy, hormone therapy, voice therapy, and surgical management of transgender people, among others. In addition to educating and guiding clinicians, transgender clinical practice guidelines are useful materials for transgender people as they can help to inform them about their care.</p>
<p>There are many clinical practice guidelines for transgender medicine (for review, <a href="https://doi.org/10.1001/journalofethics.2016.18.11.stas1-1611">Deutsch, Radix, &amp; Reisner, 2016</a>; <a href="https://doi.org/10.1016/j.ucl.2019.07.001">Radix, 2019</a>; <a href="https://doi.org/10.1007/978-3-030-05683-4_4">Radix, 2019</a>; <a href="https://www.uptodate.com/contents/society-guideline-links-transgender-health">UpToDate</a>; <a href="https://doi.org/10.1210/jendso/bvab048.1609">Bewley et al., 2021</a>; <a href="https://doi.org/10.1136/bmjopen-2021-048943">Dahlen et al., 2021</a>; <a href="https://doi.org/10.1089/trgh.2020.0043">Ziegler, Carroll, &amp; Charnish, 2021</a>). These guidelines discuss topics such as psychotherapy, hormone therapy, voice therapy, and surgical management of transgender people, among others. In addition to educating and guiding clinicians, transgender clinical practice guidelines are useful materials for transgender people as they can help to inform them about their care.</p>
<p>This page is a maintained list of known English clinical guidelines throughout the world that include information specifically on the subject of transfeminine hormone therapy. The most major guidelines on transgender hormone therapy are the <a href="https://en.wikipedia.org/wiki/World_Professional_Association_for_Transgender_Health">World Professional Association for Transgender Health</a> (WPATH) <a href="https://en.wikipedia.org/wiki/Standards_of_Care_for_the_Health_of_Transsexual,_Transgender,_and_Gender_Nonconforming_People">Standards of Care for the Health of Transgender and Gender Diverse People</a> (SOC) (<a href="https://doi.org/10.1080/26895269.2022.2100644">Coleman et al., 2022</a>), the <a href="https://en.wikipedia.org/wiki/Endocrine_Society">Endocrine Society</a> guidelines (<a href="https://doi.org/10.1210/jc.2009-0345">Hembree et al., 2017</a>), and the <a href="https://en.wikipedia.org/wiki/University_of_California,_San_Francisco">University of California, San Francisco</a> (UCSF) guidelines (<a href="https://transcare.ucsf.edu/guidelines">Deutsch, 2016</a>). The WPATH SOC and the Endocrine Society guidelines are international, while the UCSF guidelines are based in the United States.</p>
@ -3371,7 +3382,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<td>Online document</td>
</tr>
<tr>
<td><a href="https://doi.org/10.4103%2Fijem.IJEM_593_19">IDEA Group Consensus Statement on Medical Management of Adult Gender Incongruent Individuals Seeking Gender Reaffirmation as Female</a></td>
<td><a href="https://doi.org/10.4103/ijem.IJEM_593_19">IDEA Group Consensus Statement on Medical Management of Adult Gender Incongruent Individuals Seeking Gender Reaffirmation as Female</a></td>
<td>Majumder et al. / Integrated Diabetes and Endocrine Academy (IDEA) [India]</td>
<td>2020</td>
<td>Published article</td>
@ -3403,10 +3414,10 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Coleman, E., Radix, A. E., Bouman, W. P., Brown, G. R., de Vries, A. L., Deutsch, M. B., Ettner, R., Fraser, L., Goodman, M., Green, J., Hancock, A. B., Johnson, T. W., Karasic, D. H., Knudson, G. A., Leibowitz, S. F., Meyer-Bahlburg, H. F., Monstrey, S. J., Motmans, J., Nahata, L., … &amp; Arcelus, J. (2022). [World Professional Association for Transgender Health (WPATH)] Standards of Care for the Health of Transgender and Gender Diverse People, Version 8. <em>International Journal of Transgender Health</em>, <em>23</em>(Suppl 1), S1S259. [DOI:<a href="https://doi.org/10.1080/26895269.2022.2100644">10.1080/26895269.2022.2100644</a>] [<a href="https://www.wpath.org/publications/soc">URL</a>] [<a href="https://www.tandfonline.com/doi/pdf/10.1080/26895269.2022.2100644">PDF</a>]</li>
<li>Cundill, P., Wong, P., Cheung, A., &amp; Brownhill, A. (2020). <em>Hormone Therapy Prescribing Guide for General Practitioners working with Trans, Gender Diverse and Non-Binary Patients [Version 3.0].</em> Australia: Equinox Gender Diverse Health Centre/Thorne Harbour Health. [<a href="https://equinox.org.au/resources/">URL</a>] [<a href="https://equinoxdotorgdotau.files.wordpress.com/2021/07/ht-prescribing-guideline-v3-aug-2020.pdf">PDF</a>]</li>
<li>Dahl, M., Feldman, J. L., Goldberg, J., &amp; Jaberi, A. (2015). <em>Endocrine Therapy for Transgender Adults in British Columbia: Suggested Guidelines. Physical Aspects of Transgender Endocrine Therapy.</em> Vancouver: Vancouver Coastal Health. [<a href="https://scholar.google.com/scholar?cluster=10288793516023166968">Google Scholar</a>] [<a href="http://www.phsa.ca/transcarebc/Documents/HealthProf/BC-Trans-Adult-Endocrine-Guidelines-2015.pdf">PDF</a>]</li>
<li>Dahlen, S., Connolly, D., Arif, I., Junejo, M. H., Bewley, S., &amp; Meads, C. (2021). International Clinical Practice Guidelines for Gender Minority/Trans People: Systematic Review and Quality Assessment. <em>BMJ Open</em>, <em>11</em>(4), e048943. [DOI:<a href="http://dx.doi.org/10.1136/bmjopen-2021-048943">10.1136/bmjopen-2021-048943</a>]</li>
<li>Dahlen, S., Connolly, D., Arif, I., Junejo, M. H., Bewley, S., &amp; Meads, C. (2021). International Clinical Practice Guidelines for Gender Minority/Trans People: Systematic Review and Quality Assessment. <em>BMJ Open</em>, <em>11</em>(4), e048943. [DOI:<a href="http://doi.org/10.1136/bmjopen-2021-048943">10.1136/bmjopen-2021-048943</a>]</li>
<li>Davidson, A., Franicevich, J., Freeman, M., Lin, R., Martinez, L., Monihan, M., Porch, M., Samuel, L., Stukalin, R., Vormohr, J., &amp; Zevin, B. (2013). <em>Protocols for Hormonal Reassignment of Gender.</em> San Francisco: San Francisco Department of Public Health/Tom Waddell Health Center. [<a href="https://scholar.google.com/scholar?cluster=3995032054574212445">Google Scholar</a>] [<a href="https://www.sfdph.org/dph/comupg/oservices/medSvs/hlthCtrs/TransGendprotocols122006.pdf">PDF</a>]</li>
<li>Deutsch, M. B. (Ed.). (2016). <em>Guidelines for the Primary and Gender-Affirming Care of Transgender and Gender Nonbinary People, 2nd Edition.</em> San Francisco: University of California, San Francisco/UCSF Transgender Care. [<a href="https://transcare.ucsf.edu/guidelines">URL</a>] [<a href="https://transcare.ucsf.edu/sites/transcare.ucsf.edu/files/Transgender-PGACG-6-17-16.pdf">PDF</a>]</li>
<li>Deutsch, M. B., Radix, A., &amp; Reisner, S. (2016). Whats in a Guideline? Developing Collaborative and Sound Research Designs that Substantiate Best Practice Recommendations for Transgender Health Care. <em>AMA Journal of Ethics</em>, <em>18</em>(11), 10981106. [DOI:<a href="https://dx.doi.org/10.1001%2Fjournalofethics.2016.18.11.stas1-1611">10.1001/journalofethics.2016.18.11.stas1-1611</a>]</li>
<li>Deutsch, M. B., Radix, A., &amp; Reisner, S. (2016). Whats in a Guideline? Developing Collaborative and Sound Research Designs that Substantiate Best Practice Recommendations for Transgender Health Care. <em>AMA Journal of Ethics</em>, <em>18</em>(11), 10981106. [DOI:<a href="https://doi.org/10.1001/journalofethics.2016.18.11.stas1-1611">10.1001/journalofethics.2016.18.11.stas1-1611</a>]</li>
<li>Feldman, J., &amp; Safer, J. (2009). Hormone Therapy in Adults: Suggested Revisions to the Sixth Version of the <em>Standards of Care</em>. <em>International Journal of Transgenderism</em>, <em>11</em>(3), 146182. [DOI:<a href="https://doi.org/10.1080/15532730903383757">10.1080/15532730903383757</a>]</li>
<li>Fisher, A. D., Senofonte, G., Cocchetti, C., Guercio, G., Lingiardi, V., Meriggiola, M. C., Mosconi, M., Motta, G., Ristori, J., Speranza, A. M., Pierdominici, M., Maggi, M., Corona, G., &amp; Lombardo, F. (2021). SIGISSIAMSSIE position statement of gender affirming hormonal treatment in transgender and non-binary people. <em>Journal of Endocrinological Investigation</em>, <em>45</em>(3), 657673. [DOI:<a href="https://doi.org/10.1007/s40618-021-01694-2">10.1007/s40618-021-01694-2</a>]</li>
<li>Godano, A., Maggi, M., Jannini, E., Meriggiola, M. C., Ghigo, E., Todarello, O., Lenzi, A., &amp; Manieri, C. (2009). SIAMS-ONIG Consensus on Hormonal Treatment in Gender Identity Disorders. <em>Journal of Endocrinological Investigation</em>, <em>32</em>(10), 857864. [DOI:<a href="https://doi.org/10.1007/BF03345758">10.1007/BF03345758</a>]</li>
@ -4243,6 +4254,13 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<ul>
<li>Abdul Sultan, A., West, J., Stephansson, O., Grainge, M. J., Tata, L. J., Fleming, K. M., Humes, D., &amp; Ludvigsson, J. F. (2015). Defining venous thromboembolism and measuring its incidence using Swedish health registries: a nationwide pregnancy cohort study. <em>BMJ Open</em>, <em>5</em>(11), e008864. [DOI:<a href="https://doi.org/10.1136/bmjopen-2015-008864">10.1136/bmjopen-2015-008864</a>]</li>
<li>Abou-Ismail, M. Y., Citla Sridhar, D., &amp; Nayak, L. (2020). Estrogen and thrombosis: A bench to bedside review. <em>Thrombosis Research</em>, <em>192</em>, 4051. [DOI:<a href="https://doi.org/10.1016/j.thromres.2020.05.008">10.1016/j.thromres.2020.05.008</a>]</li>
<li>Aly. (2018). An Introduction to Hormone Therapy for Transfeminine People. <em>Transfeminine Science</em>. [<a href="/articles/transfem-intro/">URL</a>]</li>
<li>Aly. (2018). Oral Progesterone Achieves Very Low Levels of Progesterone and Has Only Weak Progestogenic Effects. <em>Transfeminine Science</em>. [<a href="/articles/oral-p4-low-levels/">URL</a>]</li>
<li>Aly. (2019). A Review of Studies on Estradiol Levels and Testosterone Suppression with High-Dose Transdermal Estradiol Gel and Ointment in Cisgender Men with Prostate Cancer. <em>Transfeminine Science</em>. [<a href="/articles/high-dose-transdermal-e2/">URL</a>]</li>
<li>Aly. (2020). Approximate Comparable Dosages of Estradiol by Different Routes. <em>Transfeminine Science</em>. [<a href="/articles/e2-equivalent-doses/">URL</a>]</li>
<li>Aly. (2020). Clinical Guidelines with Information on Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/transfem-hormone-guidelines/">URL</a>]</li>
<li>Aly. (2020). The Interactions of Sex Hormones with Sex Hormone-Binding Globulin and Relevance for Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/shbg-unimportant/">URL</a>]</li>
<li>Aly. (2021). An Informal Meta-Analysis of Estradiol Curves with Injectable Estradiol Preparations. <em>Transfeminine Science</em>. [<a href="/articles/injectable-e2-meta-analysis/">URL</a>]</li>
<li>Amitrano, L., Guardascione, M. A., Brancaccio, V., &amp; Balzano, A. (2002). Coagulation Disorders in Liver Disease. <em>Seminars in Liver Disease</em>, <em>22</em>(1), 8396. [DOI:<a href="https://doi.org/10.1055/s-2002-23205">10.1055/s-2002-23205</a>]</li>
<li>Anderson, G. L., Limacher, M., Assaf, A. R., Bassford, T., Beresford, S. A., Black, H., Bonds, D., Brunner, R., Brzyski, R., Caan, B., Chlebowski, R., Curb, D., Gass, M., Hays, J., Heiss, G., Hendrix, S., Howard, B. V., Hsia, J., Hubbell, A., Jackson, R., … &amp; Womens Health Initiative Steering Committee. (2004). Effects of Conjugated Equine Estrogen in Postmenopausal Women With Hysterectomy: The Womens Health Initiative Randomized Controlled Trial. <em>JAMA</em>, <em>291</em>(14), 17011712. [DOI:<a href="https://doi.org/10.1001/jama.291.14.1701">10.1001/jama.291.14.1701</a>]</li>
<li>Arnold, J. D., Sarkodie, E. P., Coleman, M. E., &amp; Goldstein, D. A. (2016). Incidence of Venous Thromboembolism in Transgender Women Receiving Oral Estradiol. <em>The Journal of Sexual Medicine</em>, <em>13</em>(11), 17731777. [DOI:<a href="https://doi.org/10.1016/j.jsxm.2016.09.001">10.1016/j.jsxm.2016.09.001</a>]</li>
@ -4347,6 +4365,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Kuhl, H. (1999). Hormonal contraception. In Oettel, M., &amp; Schillinger, E. (Eds.). <em>Estrogens and Antiestrogens II: Pharmacology and Clinical Application of Estrogens and Antiestrogen</em> (<em>Handbook of Experimental Pharmacology, Volume 135, Part 2</em>) (pp. 363407). Berlin/Heidelberg: Springer. [DOI:<a href="https://doi.org/10.1007/978-3-642-60107-1_18">10.1007/978-3-642-60107-1_18</a>]</li>
<li>Kuhl, H. (2005). Pharmacology of Estrogens and Progestogens: Influence of Different Routes of Administration. <em>Climacteric</em>, <em>8</em>(Suppl 1), 363. [DOI:<a href="http://doi.org/10.1080/13697130500148875">10.1080/13697130500148875</a>] [<a href="http://hormonebalance.org/images/documents/Kuhl%2005%20%20Pharm%20Estro%20Progest%20Climacteric_1311166827.pdf">PDF</a>]</li>
<li>Kuhl, H., &amp; Stevenson, J. (2006). The effect of medroxyprogesterone acetate on estrogen-dependent risks and benefits an attempt to interpret the Womens Health Initiative results. <em>Gynecological Endocrinology</em>, <em>22</em>(6), 303317. [DOI:<a href="https://doi.org/10.1080/09513590600717368">10.1080/09513590600717368</a>]</li>
<li>Lain. (2019). A Review of Selective Estrogen Receptor Modulators and their Potential for Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/serms-transfem/">URL</a>]</li>
<li>Langley, R. E., Cafferty, F. H., Alhasso, A. A., Rosen, S. D., Sundaram, S. K., Freeman, S. C., Pollock, P., Jinks, R. C., Godsland, I. F., Kockelbergh, R., Clarke, N. W., Kynaston, H. G., Parmar, M. K., &amp; Abel, P. D. (2013). Cardiovascular outcomes in patients with locally advanced and metastatic prostate cancer treated with luteinising-hormone-releasing-hormone agonists or transdermal oestrogen: the randomised, phase 2 MRC PATCH trial (PR09). <em>The Lancet Oncology</em>, <em>14</em>(4), 306316. [DOI:<a href="https://doi.org/10.1016/s1470-2045(13)70025-1">10.1016/s1470-2045(13)70025-1</a>]</li>
<li>Langley, R. E., Gilbert, D. C., Duong, T., Clarke, N. W., Nankivell, M., Rosen, S. D., Mangar, S., Macnair, A., Sundaram, S. K., Laniado, M. E., Dixit, S., Madaan, S., Manetta, C., Pope, A., Scrase, C. D., Mckay, S., Muazzam, I. A., Collins, G. N., Worlding, J., Williams, S. T., Paez, E., Robinson, A., McFarlane, J., Deighan, J. V., Marshall, J., Forcat, S., Weiss, M., Kockelbergh, R., Alhasso, A., Kynaston, H., &amp; Parmar, M. (2021). Transdermal oestradiol for androgen suppression in prostate cancer: long-term cardiovascular outcomes from the randomised Prostate Adenocarcinoma Transcutaneous Hormone (PATCH) trial programme. <em>The Lancet</em>, <em>397</em>(10274), 581591. [DOI:<a href="https://doi.org/10.1016/s0140-6736(21)00100-8">10.1016/s0140-6736(21)00100-8</a>]</li>
<li>Lax, E. (1987). Mechanisms of physiological and pharmacological sex hormone action on the mammalian liver. <em>Journal of Steroid Biochemistry</em>, <em>27</em>(46), 11191128. [DOI:<a href="https://doi.org/10.1016/0022-4731(87)90198-1">10.1016/0022-4731(87)90198-1</a>]</li>
@ -4419,6 +4438,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Ruiz Garcia, V., López-Briz, E., Carbonell Sanchis, R., Gonzalvez Perales, J. L., &amp; Bort-Martí, S. (2013). Megestrol acetate for treatment of anorexia-cachexia syndrome. <em>Cochrane Database of Systematic Reviews</em>, <em>2019</em>(3), CD004310. [DOI:<a href="https://doi.org/10.1002/14651858.cd004310.pub3">10.1002/14651858.cd004310.pub3</a>]</li>
<li>Russell, N., Cheung, A., &amp; Grossmann, M. (2017). Estradiol for the mitigation of adverse effects of androgen deprivation therapy. <em>Endocrine-Related Cancer</em>, <em>24</em>(8), R297R313. [DOI:<a href="https://doi.org/10.1530/erc-17-0153">10.1530/erc-17-0153</a>]</li>
<li>Sahlin, L., &amp; Schoultz, B. V. (1999). Liver Inclusive Protein, Lipid and Carbohydrate Metabolism. In Oettel, M., &amp; Schillinger, E. (Eds.). <em>Estrogens and Antiestrogens II: Pharmacology and Clinical Application of Estrogens and Antiestrogen</em> (<em>Handbook of Experimental Pharmacology, Volume 135, Part 2</em>) (pp. 163178). Berlin/Heidelberg: Springer. [DOI:<a href="https://doi.org/10.1007/978-3-642-60107-1_8">10.1007/978-3-642-60107-1_8</a>]</li>
<li>Sam. (2020). Analysis of Cardiovascular and Thromboembolic Toxicity with High Dose Parenteral Polyestradiol Phosphate in the Treatment of Prostate Cancer. <em>Transfeminine Science</em>. [<a href="/articles/pep-cardiovascular-analysis/">URL</a>]</li>
<li>Scarabin, P. (2018). Progestogens and venous thromboembolism in menopausal women: an updated oral versus transdermal estrogen meta-analysis. <em>Climacteric</em>, <em>21</em>(4), 341345. [DOI:<a href="https://doi.org/10.1080/13697137.2018.1446931">10.1080/13697137.2018.1446931</a>]</li>
<li>Scarabin, P., Canonico, M., Plu-Bureau, G., &amp; Oger, E. (2020). Menopause and hormone therapy in the 21st century: why promote transdermal estradiol and progesterone? <em>Heart</em>, <em>106</em>(16), 12781278. [DOI:<a href="https://doi.org/10.1136/heartjnl-2020-316907">10.1136/heartjnl-2020-316907</a>]</li>
<li>Scheres, L. J., van Hylckama Vlieg, A., Ballieux, B. E., Fauser, B. C., Rosendaal, F. R., Middeldorp, S., &amp; Cannegieter, S. C. (2019). Endogenous sex hormones and risk of venous thromboembolism in young women. <em>Journal of Thrombosis and Haemostasis</em>, <em>17</em>(8), 12971304. [DOI:<a href="https://doi.org/10.1111/jth.14474">10.1111/jth.14474</a>]</li>
@ -4990,6 +5010,10 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<ul>
<li>Adamcová, K., Kolátorová, L., Škodová, T., Šimková, M., Pařízek, A., Stárka, L., &amp; Dušková, M. (2018). Steroid hormone levels in the peripartum period differences caused by fetal sex and delivery type. <em>Physiological Research</em>, <em>67</em>(Suppl 3), S489S497. [DOI:<a href="https://doi.org/10.33549/physiolres.934019">10.33549/physiolres.934019</a>]</li>
<li>Aly. (2020). A Comprehensive Review of the Potential of Progestogens for Enhancing Breast Development in Transfeminine People. <em>Transfeminine Science</em>. [<a href="/articles/progestogens-breast-dev/">URL</a>]</li>
<li>Aly. (2020). Approximate Comparable Dosages of Estradiol by Different Routes. <em>Transfeminine Science</em>. [<a href="/articles/e2-equivalent-doses/">URL</a>]</li>
<li>Aly. (2020). Hormone Levels During Normal Puberty in Cisgender Girls. <em>Transfeminine Science</em>. [<a href="/articles/hormone-levels-female-puberty/">URL</a>]</li>
<li>Aly. (2020). Supplement: The Interactions of Sex Hormones with Sex Hormone-Binding Globulin and Relevance for Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/shbg-unimportant-suppl/">URL</a>]</li>
<li>Anderson, D. C. (1974). Sex-Hormone-Binding Globulin. <em>Clinical Endocrinology</em>, <em>3</em>(1), 6996. [DOI:<a href="https://doi.org/10.1111/j.1365-2265.1974.tb03298.x">10.1111/j.1365-2265.1974.tb03298.x</a>]</li>
<li>Anderson, P. J., Hancock, K. W., &amp; Oakey, R. E. (1985). Non-protein-bound oestradiol and progesterone in human peripheral plasma before labour and delivery. <em>Journal of Endocrinology</em>, <em>104</em>(1), 715. [DOI:<a href="https://doi.org/10.1677/joe.0.1040007">10.1677/joe.0.1040007</a>]</li>
<li>Barini, A., Liberale, I., &amp; Menini, E. (1993). Simultaneous Determination of Free Testosterone and Testosterone Bound to Non-Sex-Hormone-Binding Globulin by Equilibrium Dialysis. <em>Clinical Chemistry</em>, <em>39</em>(6), 936941. [DOI:<a href="https://doi.org/10.1093/clinchem/39.6.936">10.1093/clinchem/39.6.936</a>]</li>
@ -5057,6 +5081,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<li>Rothman, M. S., Carlson, N. E., Xu, M., Wang, C., Swerdloff, R., Lee, P., Goh, V. H., Ridgway, E. C., &amp; Wierman, M. E. (2011). Reexamination of testosterone, dihydrotestosterone, estradiol and estrone levels across the menstrual cycle and in postmenopausal women measured by liquid chromatographytandem mass spectrometry. <em>Steroids</em>, <em>76</em>(12), 177182. [DOI:<a href="https://doi.org/10.1016/j.steroids.2010.10.010">10.1016/j.steroids.2010.10.010</a>]</li>
<li>Rubinow, D. R., Schmidt, P. J., Roca, C. A., &amp; Daly, R. C. (2002). Gonadal Hormones and Behavior in Women: Concentrations versus Context. In Pfaff, D. W., Arnold, A. P., Etgen, A. M., Fahrbach, S. E., &amp; Rubin, R. T. (Eds.). <em>Hormones, Brain and Behavior, Volume 5</em> (pp. 3773). Amsterdam: Academic Press. [<a href="https://books.google.com/books?id=6GgHpQdk8vYC&amp;pg=PA54">Google Books</a>] [DOI:<a href="https://doi.org/10.1016/B978-012532104-4/50086-X">10.1016/B978-012532104-4/50086-X</a>]</li>
<li>Ruokonen, A., Alén, M., Bolton, N., &amp; Vihko, R. (1985). Response of serum testosterone and its precursor steroids, SHBG and CBG to anabolic steroid and testosterone self-administration in man. <em>Journal of Steroid Biochemistry</em>, <em>23</em>(1), 3338. [DOI:<a href="https://doi.org/10.1016/0022-4731(85)90257-2">10.1016/0022-4731(85)90257-2</a>]</li>
<li>Sam. (2020). A Comparison of Oral and Transdermal Estradiol in Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/oral-vs-transdermal-e2/">URL</a>]</li>
<li>Schijf, C. P., van der Mooren, M. J., Doesburg, W. H., Thomas, C. M., &amp; Rolland, R. (1993). Differences in serum lipids, lipoproteins, sex hormone binding globulin and testosterone between the follicular and the luteal phase of the menstrual cycle. <em>Acta Endocrinologica</em>, <em>129</em>(2), 130133. [DOI:<a href="https://doi.org/10.1530/acta.0.1290130">10.1530/acta.0.1290130</a>]</li>
<li>Schuijt, M. P., Sweep, C. G., van der Steen, R., Olthaar, A. J., Stikkelbroeck, N. M., Ross, H. A., &amp; van Herwaarden, A. E. (2019). Validity of free testosterone calculation in pregnant women. <em>Endocrine Connections</em>, <em>8</em>(6), 672679. [DOI:<a href="https://doi.org/10.1530/ec-19-0110">10.1530/ec-19-0110</a>]</li>
<li>Shifren, J. L., Desindes, S., McIlwain, M., Doros, G., &amp; Mazer, N. A. (2007). A randomized, open-label, crossover study comparing the effects of oral versus transdermal estrogen therapy on serum androgens, thyroid hormones, and adrenal hormones in naturally menopausal women. <em>Menopause</em>, <em>14</em>(6), 985994. [DOI:<a href="https://doi.org/10.1097/gme.0b013e31803867a">10.1097/gme.0b013e31803867a</a>]</li>
@ -5140,6 +5165,7 @@ Figure 5. Meta-analysis of estradiol concentration-time data from cisgender wome
<h2 id="references">References</h2>
<ul>
<li>Aly. (2020). The Interactions of Sex Hormones with Sex Hormone-Binding Globulin and Relevance for Transfeminine Hormone Therapy. <em>Transfeminine Science</em>. [<a href="/articles/shbg-unimportant/">URL</a>]</li>
<li>Ben-Rafael, Z., Mastroianni, L., Meloni, F., Strauss, J. F., &amp; Flickinger, G. L. (1986). Changes in serum sex hormone-binding globulin, free estradiol, and testosterone during gonadotropin treatment. <em>Fertility and Sterility</em>, <em>46</em>(4), 593598. [DOI:<a href="https://doi.org/10.1016/s0015-0282(16)49633-0">10.1016/s0015-0282(16)49633-0</a>]</li>
<li>Carlström, K., Pschera, H., &amp; Lunell, N. (1988). Serum levels of oestrogens, progesterone, follicle-stimulating hormone and sex-hormone-binding globulin during simultaneous vaginal administration of 17β-oestradiol and progesterone in the pre- and post-menopause. <em>Maturitas</em>, <em>10</em>(4), 307316. [DOI:<a href="https://doi.org/10.1016/0378-5122(88)90066-7">10.1016/0378-5122(88)90066-7</a>]</li>
<li>Elaut, E., De Cuypere, G., De Sutter, P., Gijs, L., Van Trotsenburg, M., Heylens, G., Kaufman, J., Rubens, R., &amp; TSjoen, G. (2008). Hypoactive sexual desire in transsexual women: prevalence and association with testosterone levels. <em>European Journal of Endocrinology</em>, <em>158</em>(3), 393399. [DOI:<a href="https://doi.org/10.1530/eje-07-0511">10.1530/eje-07-0511</a>]</li>

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long