Szacowany czas lekcji:
9 minut
.lesson-duration-container {
background-color: #f0f4f8; /* Szarawe tło dopasowane do reszty strony */
padding: 8px 15px; /* Wewnętrzny odstęp */
border-radius: 8px; /* Zaokrąglone rogi */
font-family: ‘Roboto’, Arial, sans-serif; /* Czcionka Roboto, jeśli dostępna */
font-size: 16px; /* Rozmiar tekstu */
color: #6c757d; /* Ciemny szary kolor tekstu */
display: inline-block; /* Wyświetlanie jako element blokowy */
margin-bottom: 20px; /* Odstęp na dole */
border: none; /* Bez obramowania */
}
.lesson-duration-label {
font-weight: 700; /* Pogrubienie dla etykiety */
color: #6c757d; /* Ciemny szary kolor dla etykiety */
margin-right: 5px; /* Odstęp od wartości */
}
.lesson-duration-value {
color: #6c757d; /* Ciemny szary kolor dla wartości */
font-weight: 700; /* Pogrubienie dla wartości */
}
Podświetlanie tekstu z notatkami
body {
margin: 0;
padding: 0;
font-family: Arial, sans-serif;
}
.highlight {
background-color: #cce7ff; /* Highlight color without notes */
position: relative;
display: inline;
}
.highlight.with-note {
background-color: #ffeb3b; /* Highlight color with notes */
}
.note-box {
position: absolute;
background-color: #f9f9f9;
color: #333;
font-size: 14px;
line-height: 1.6;
padding: 10px 15px;
border: 1px solid #ddd;
border-radius: 5px;
box-shadow: 0 2px 5px rgba(0, 0, 0, 0.2);
max-width: 250px;
z-index: 1000;
white-space: normal;
text-align: left;
display: none; /* Hidden by default */
}
.note-controls {
position: absolute;
top: -30px;
right: -30px;
display: flex;
gap: 10px;
z-index: 10;
opacity: 0;
pointer-events: none;
transition: opacity 0.3s;
}
.note-controls.visible {
opacity: 1;
pointer-events: all;
}
.note-controls span {
cursor: pointer;
background-color: gray;
color: white;
padding: 5px 10px;
border-radius: 5px;
font-size: 16px;
font-weight: bold;
}
.note-controls span:hover {
background-color: darkgray;
}
document.addEventListener(“DOMContentLoaded”, () => {
/**
* Checks if an element is a header.
*/
const isHeaderElement = (node) => {
while (node) {
if (node.nodeType === 1 && node.tagName.match(/^H[1-5]$/)) {
return true;
}
node = node.parentNode;
}
return false;
};
/**
* Checks if an element is inside a table cell.
*/
const isInsideTable = (node) => {
while (node) {
if (node.tagName === “TD” || node.tagName === “TH”) {
return node;
}
node = node.parentNode;
}
return null;
};
/**
* Checks if an element belongs to the same list item.
*/
const isWithinSameListItem = (selection) => {
if (selection.rangeCount === 0) return false;
const range = selection.getRangeAt(0);
const startContainer = range.startContainer;
const endContainer = range.endContainer;
const getClosestListItem = (node) => {
while (node) {
if (node.nodeType === 1 && node.tagName === “LI”) {
return node;
}
node = node.parentNode;
}
return null;
};
const startListItem = getClosestListItem(startContainer);
const endListItem = getClosestListItem(endContainer);
// Ensure selection is within the same list item
return startListItem === endListItem;
};
/**
* Validates the selection.
* Ensures the selection is within a single header, table cell, or list item.
*/
const isSelectionValid = (selection) => {
if (selection.rangeCount === 0) return false;
const range = selection.getRangeAt(0);
const startContainer = range.startContainer;
const endContainer = range.endContainer;
const startInHeader = isHeaderElement(startContainer);
const endInHeader = isHeaderElement(endContainer);
// Block selection spanning headers
if (startInHeader !== endInHeader) {
return false;
}
const startCell = isInsideTable(startContainer);
const endCell = isInsideTable(endContainer);
// Block selection spanning table cells
if (startCell && endCell && startCell !== endCell) {
return false;
}
// Block selection spanning multiple list items
if (!isWithinSameListItem(selection)) {
return false;
}
return true;
};
/**
* Highlights the selected text.
*/
const wrapTextWithHighlight = (range) => {
const fragment = range.extractContents();
const highlight = document.createElement(“span”);
highlight.className = “highlight”;
highlight.appendChild(fragment);
range.insertNode(highlight);
const noteControls = document.createElement(“div”);
noteControls.className = “note-controls visible”;
const editNote = document.createElement(“span”);
editNote.textContent = “✎”;
editNote.title = “Edit note”;
noteControls.appendChild(editNote);
const removeHighlight = document.createElement(“span”);
removeHighlight.textContent = “x”;
removeHighlight.title = “Remove highlight”;
noteControls.appendChild(removeHighlight);
highlight.style.position = “relative”;
highlight.appendChild(noteControls);
let noteBox = null;
const updateNotePosition = () => {
const rect = highlight.getBoundingClientRect();
if (noteBox) {
noteBox.style.top = `${rect.height}px`;
noteBox.style.left = `${rect.width / 2}px`;
}
};
const hideControlsAndNoteAfterDelay = () => {
setTimeout(() => {
noteControls.classList.remove(“visible”);
if (noteBox) noteBox.style.display = “none”;
}, 3000);
};
// Show controls for 3 seconds after highlighting
hideControlsAndNoteAfterDelay();
highlight.addEventListener(“click”, () => {
noteControls.classList.add(“visible”);
if (noteBox) noteBox.style.display = “block”;
hideControlsAndNoteAfterDelay();
});
editNote.addEventListener(“click”, () => {
const noteText = prompt(“Add or edit a note:”, noteBox?.textContent || “”);
if (noteText) {
if (!noteBox) {
noteBox = document.createElement(“div”);
noteBox.className = “note-box”;
highlight.appendChild(noteBox);
}
noteBox.textContent = noteText;
noteBox.style.display = “block”;
highlight.classList.add(“with-note”);
updateNotePosition();
hideControlsAndNoteAfterDelay();
}
});
removeHighlight.addEventListener(“click”, () => {
const parent = highlight.parentNode;
while (highlight.firstChild) {
parent.insertBefore(highlight.firstChild, highlight);
}
parent.removeChild(highlight);
if (noteBox) noteBox.remove();
});
};
/**
* Handles the mouseup event to validate and apply highlighting.
*/
document.body.addEventListener(“mouseup”, () => {
const selection = window.getSelection();
if (selection.rangeCount > 0 && selection.toString().trim()) {
if (!isSelectionValid(selection)) {
alert(“Zaznaczenie musi być w obrębie jednego akapitu, komórki tabeli lub punktu listy!”);
selection.removeAllRanges();
return;
}
const range = selection.getRangeAt(0);
wrapTextWithHighlight(range);
selection.removeAllRanges();
}
});
});
Podstawowe terminy medyczne dotyczące układu nerwowego
| Polish | English |
|---|
| Układ nerwowy | Nervous system |
| Mózg | Brain |
| Rdzeń kręgowy | Spinal cord |
| Neurony | Neurons |
| Nerwy obwodowe | Peripheral nerves |
| Mielina | Myelin |
| Neuroprzekaźniki | Neurotransmitters |
| Ośrodkowy układ nerwowy (OUN) | Central nervous system (CNS) |
| Obwodowy układ nerwowy (PNS) | Peripheral nervous system (PNS) |
| Móżdżek | Cerebellum |
| Pień mózgu | Brainstem |
| Nerw czaszkowy | Cranial nerve |
| Rdzeniowy | Spinal nerve |
| Układ autonomiczny | Autonomic nervous system |
| Układ współczulny | Sympathetic nervous system |
| Układ przywspółczulny | Parasympathetic nervous system |
| Synapsa | Synapse |
| Napad drgawkowy | Seizure |
| Neuropatia | Neuropathy |
| Udar mózgu | Stroke |
| Zaburzenia poznawcze | Cognitive impairment |
| Zespół Guillain-Barré | Guillain-Barré syndrome |
Kluczowe objawy i schorzenia układu nerwowego
| Polish | English |
|---|
| Ból głowy | Headache |
| Migrena | Migraine |
| Zawroty głowy | Dizziness |
| Drżenie | Tremor |
| Drętwienie | Numbness |
| Mrowienie | Tingling |
| Utrata czucia | Loss of sensation |
| Problemy z równowagą | Balance problems |
| Osłabienie mięśni | Muscle weakness |
| Napady drgawkowe | Seizures |
| Zaburzenia pamięci | Memory problems |
| Splątanie | Confusion |
| Utrata przytomności | Loss of consciousness |
| Zespół niespokojnych nóg | Restless legs syndrome |
| Choroba Parkinsona | Parkinson’s disease |
| Stwardnienie rozsiane | Multiple sclerosis |
| Udar mózgu | Stroke |
| Choroba Alzheimera | Alzheimer’s disease |
| Padaczka | Epilepsy |
| Zapalenie opon mózgowych | Meningitis |
| Porażenie nerwu | Nerve palsy |
| Neuralgia | Neuralgia |
Narzędzia diagnostyczne i procedury dotyczące układu nerwowego
| Polish | English |
|---|
| Rezonans magnetyczny (MRI) | Magnetic Resonance Imaging (MRI) |
| Tomografia komputerowa (CT) | Computed Tomography (CT) scan |
| Elektromiografia (EMG) | Electromyography (EMG) |
| Elektroencefalografia (EEG) | Electroencephalography (EEG) |
| Nakłucie lędźwiowe | Lumbar puncture (spinal tap) |
| Badanie przewodnictwa nerwowego | Nerve conduction study |
| Angiografia mózgowa | Cerebral angiography |
| Tomografia emisyjna pojedynczego fotonu (SPECT) | Single-photon emission computed tomography (SPECT) |
| Pozytonowa tomografia emisyjna (PET) | Positron Emission Tomography (PET) |
| Testy poznawcze | Cognitive tests |
| Badania płynu mózgowo-rdzeniowego | Cerebrospinal fluid (CSF) analysis |
| Badanie neuropsychologiczne | Neuropsychological testing |
| Test odruchów | Reflex testing |
| Test na szybkość reakcji | Reaction time testing |
| Monitorowanie EEG w czasie rzeczywistym | Real-time EEG monitoring |
Czynniki ryzyka i styl życia związane z układem nerwowym
| Polish | English |
|---|
| Palenie tytoniu | Smoking |
| Nadużywanie alkoholu | Alcohol abuse |
| Uraz głowy | Head trauma |
| Stres przewlekły | Chronic stress |
| Otyłość | Obesity |
| Cukrzyca | Diabetes |
| Nadciśnienie | Hypertension |
| Brak aktywności fizycznej | Lack of physical activity |
| Wysoki poziom cholesterolu | High cholesterol |
| Zła dieta | Poor diet |
| Historia udaru mózgu lub zawału serca | History of stroke or heart attack |
| Czynniki genetyczne | Genetic factors |
| Zaburzenia snu | Sleep disorders |
| Ekspozycja na toksyny | Exposure to toxins |
| Długotrwałe stosowanie leków | Long-term medication use |
| Niewłaściwe nawodnienie | Inadequate hydration |
Sposoby leczenia i postępowanie w chorobach układu nerwowego
| Polish | English |
|---|
| Leczenie farmakologiczne | Pharmacological treatment |
| Fizjoterapia | Physical therapy |
| Terapia zajęciowa | Occupational therapy |
| Leczenie przeciwdrgawkowe | Anticonvulsant therapy |
| Leki przeciwbólowe | Pain relievers |
| Leki przeciwzapalne | Anti-inflammatory medications |
| Leki neuroprotekcyjne | Neuroprotective agents |
| Stymulacja mózgu | Brain stimulation therapy |
| Rehabilitacja neurologiczna | Neurological rehabilitation |
| Psychoterapia | Psychotherapy |
| Leczenie operacyjne (np. usunięcie guza) | Surgical treatment (e.g., tumor removal) |
| Leczenie udaru mózgu | Stroke management |
| Steroidoterapia | Steroid therapy |
| Terapia poznawczo-behawioralna | Cognitive-behavioral therapy (CBT) |
| Zmiana stylu życia | Lifestyle modification |
| Leczenie choroby Parkinsona | Parkinson’s disease treatment |
| Leki przeciwdepresyjne | Antidepressant medications |
| Chirurgia nerwów (np. dekompresja) | Nerve surgery (e.g., decompression) |
Pytania o objawy pacjenta, które każdy lekarz powinien umieć zadać
| Polish | English |
|---|
| Czy odczuwa Pan/Pani bóle głowy? Jak często się pojawiają? | Do you experience headaches? How often do they occur? |
| Czy zauważył(a) Pan/Pani problemy z równowagą lub chodzeniem? | Have you noticed balance problems or difficulty walking? |
| Czy odczuwa Pan/Pani drętwienie lub mrowienie w rękach lub nogach? | Do you feel numbness or tingling in your hands or feet? |
| Czy doświadczył(a) Pan/Pani napadów drgawkowych? | Have you experienced seizures? |
| Czy miał(a) Pan/Pani epizody utraty przytomności? | Have you had any episodes of losing consciousness? |
| Czy odczuwa Pan/Pani trudności w koncentracji lub zapominanie? | Do you have trouble concentrating or memory problems? |
| Czy odczuwa Pan/Pani sztywność mięśni, zwłaszcza rano? | Do you experience muscle stiffness, especially in the morning? |
| Czy miewa Pan/Pani zawroty głowy lub uczucie, że świat wiruje? | Do you get dizzy or feel like the world is spinning? |
| Czy ból nasila się podczas aktywności fizycznej? | Does the pain worsen during physical activity? |
| Czy występują u Pana/Pani nagłe ruchy lub tiki nerwowe? | Do you experience sudden movements or nervous tics? |
| Czy ma Pan/Pani problemy ze snem lub częste budzenie się w nocy? | Do you have trouble sleeping or frequently wake up at night? |
| Czy ból promieniuje do innych części ciała? | Does the pain radiate to other parts of your body? |
| Czy zauważył(a) Pan/Pani opadanie powieki lub drżenie ręki? | Have you noticed drooping of the eyelid or hand tremors? |
| Czy odczuwa Pan/Pani zaburzenia widzenia lub podwójne widzenie? | Do you experience vision disturbances or double vision? |
| Czy miał(a) Pan/Pani trudności z mówieniem lub bełkotliwą mowę? | Have you had difficulty speaking or slurred speech? |
Pytania o historię medyczną pacjenta, które każdy lekarz powinien umieć zadać
| Polish | English |
|---|
| Czy kiedykolwiek zdiagnozowano u Pana/Pani udar mózgu lub miniudar (TIA)? | Have you ever been diagnosed with a stroke or transient ischemic attack (TIA)? |
| Czy w rodzinie występują przypadki chorób neurologicznych, takich jak choroba Alzheimera lub Parkinsona? | Is there a family history of neurological diseases, such as Alzheimer’s or Parkinson’s? |
| Czy kiedykolwiek miał(a) Pan/Pani uraz głowy lub wstrząśnienie mózgu? | Have you ever had a head injury or concussion? |
| Czy kiedykolwiek zdiagnozowano u Pana/Pani padaczkę? | Have you been diagnosed with epilepsy? |
| Czy regularnie przyjmuje Pan/Pani leki wpływające na układ nerwowy, takie jak leki przeciwdrgawkowe lub nasenne? | Do you regularly take medications that affect the nervous system, such as anticonvulsants or sleep aids? |
| Czy miał(a) Pan/Pani epizody omdlenia lub utraty przytomności? | Have you ever had episodes of fainting or loss of consciousness? |
| Czy cierpi Pan/Pani na przewlekłe bóle głowy? Jakie było leczenie? | Do you suffer from chronic headaches? What treatment have you received? |
| Czy w przeszłości miał(a) Pan/Pani zapalenie opon mózgowych lub inne infekcje układu nerwowego? | Have you ever had meningitis or other infections of the nervous system? |
| Czy w przeszłości przeszedł(ła) Pan/Pani operacje mózgu lub rdzenia kręgowego? | Have you ever had brain or spinal cord surgery? |
| Czy pali Pan/Pani tytoń? Jak długo i ile? | Do you smoke? How long and how much? |
| Czy w przeszłości doświadczył(a) Pan/Pani problemów z pamięcią lub mową? | Have you experienced memory or speech problems in the past? |
| Czy przyjmował(a) Pan/Pani leki przeciwdepresyjne lub inne leki psychotropowe? | Have you taken antidepressants or other psychiatric medications? |
| Czy miał(a) Pan/Pani epizody silnych zawrotów głowy lub niemożności utrzymania równowagi? | Have you had episodes of severe dizziness or inability to maintain balance? |
Pytania o diagnozę, które pacjenci często zadają
| Polish | English |
|---|
| Co może być przyczyną moich bólów głowy? | What could be causing my headaches? |
| Czy moje objawy mogą być związane z udarem mózgu? | Could my symptoms be related to a stroke? |
| Jakie badania są potrzebne, aby potwierdzić diagnozę? | What tests are necessary to confirm the diagnosis? |
| Czy potrzebuję rezonansu magnetycznego lub tomografii komputerowej? | Do I need an MRI or CT scan? |
| Jakie są inne możliwe przyczyny moich problemów z pamięcią? | What are the other possible causes of my memory problems? |
| Czy moje objawy mogą być spowodowane przez guz mózgu? | Could my symptoms be caused by a brain tumor? |
| Jak długo potrwa diagnozowanie mojej choroby? | How long will it take to diagnose my condition? |
| Jakie są typowe objawy udaru mózgu? | What are the typical symptoms of a stroke? |
| Czy moje objawy mogą wskazywać na chorobę Parkinsona? | Could my symptoms indicate Parkinson’s disease? |
| Jakie inne schorzenia mogą wywoływać podobne objawy? | What other conditions could cause similar symptoms? |
| Czy muszę wykonać więcej badań, aby wykluczyć inne choroby neurologiczne? | Do I need further tests to rule out other neurological diseases? |
| Czy moje objawy są związane z procesem starzenia się? | Are my symptoms related to aging? |