Initial commit

This commit is contained in:
Zhongwei Li
2025-11-29 18:48:58 +08:00
commit df092d8cd2
127 changed files with 62057 additions and 0 deletions

View File

@@ -0,0 +1,636 @@
# Reading Comprehension Reference
Strategies, question types, and interactive activities for developing reading comprehension.
## Comprehension Strategies
### Before Reading
```javascript
const beforeReadingStrategies = {
preview: {
name: 'Preview the Text',
steps: [
'Look at title and pictures',
'Read headings and subheadings',
'Predict what story is about',
'Ask: What do I already know about this topic?'
],
prompt: 'What do you think this story will be about?'
},
purpose: {
name: 'Set a Purpose',
steps: [
'Why am I reading this?',
'What do I want to learn?',
'How will I use this information?'
],
prompt: 'What do you want to find out from this story?'
},
vocabulary: {
name: 'Preview Key Words',
steps: [
'Identify unfamiliar words',
'Look at context',
'Check pictures for clues',
'Make predictions about meanings'
],
prompt: 'Are there any new words? What might they mean?'
}
};
```
### During Reading
```javascript
const duringReadingStrategies = {
visualize: {
name: 'Make Mental Pictures',
prompt: 'What do you see in your mind?',
activity: 'Draw what you\'re imagining'
},
question: {
name: 'Ask Questions',
prompts: [
'What is happening?',
'Why did that happen?',
'What will happen next?',
'How does the character feel?'
]
},
connect: {
name: 'Make Connections',
types: {
textToSelf: 'Has this happened to you?',
textToText: 'Does this remind you of another story?',
textToWorld: 'Where have you seen this in real life?'
}
},
clarify: {
name: 'Fix Confusions',
strategies: [
'Reread the sentence',
'Read ahead for clues',
'Look at pictures',
'Sound out unfamiliar words',
'Ask for help'
]
},
predict: {
name: 'Make Predictions',
prompt: 'What do you think will happen next?',
check: 'Was your prediction correct?'
}
};
```
### After Reading
```javascript
const afterReadingStrategies = {
summarize: {
name: 'Retell the Story',
framework: {
beginning: 'How did the story start?',
middle: 'What happened?',
end: 'How did it end?'
}
},
mainIdea: {
name: 'Find the Main Idea',
questions: [
'What is the story mostly about?',
'What is the most important part?',
'What did you learn?'
]
},
evaluate: {
name: 'Think About the Story',
questions: [
'Did you like it? Why?',
'What was your favorite part?',
'Would you recommend this to a friend?',
'What would you change?'
]
}
};
```
## Question Types
### Literal Questions (Right There)
```javascript
const literalQuestions = {
who: 'Who is the main character?',
what: 'What happened in the story?',
when: 'When did this take place?',
where: 'Where does the story happen?',
how: 'How did the character solve the problem?',
examples: [
'What color was the cat?',
'Where did Tom go?',
'Who helped Sally?',
'When did they leave?'
]
};
```
### Inferential Questions (Think & Search)
```javascript
const inferentialQuestions = {
why: 'Why did the character do that?',
cause: 'What caused this to happen?',
effect: 'What happened because of...?',
feeling: 'How do you think the character felt?',
motive: 'Why did the character want...?',
examples: [
'Why was the girl sad?',
'How did the boy feel when...?',
'What made the dog run away?',
'Why didn\'t they tell anyone?'
]
};
```
### Evaluative Questions (Author & Me)
```javascript
const evaluativeQuestions = {
opinion: 'What do you think about...?',
judgment: 'Did the character make a good choice?',
alternative: 'What would you have done?',
theme: 'What lesson does this teach?',
examples: [
'Was it right for her to...?',
'What would you do in this situation?',
'Do you agree with the character?',
'What is the author trying to tell us?'
]
};
```
### Creative Questions (On My Own)
```javascript
const creativeQuestions = {
extend: 'What might happen next?',
change: 'How would the story be different if...?',
relate: 'How is this like your life?',
imagine: 'What if the character had...?',
examples: [
'What would happen if the ending was different?',
'How would you feel if you were the character?',
'What other adventures might they have?',
'If you could change one thing, what would it be?'
]
};
```
## Story Elements
### Character Analysis
```javascript
const characterAnalysis = {
traits: {
prompt: 'What is the character like?',
evidence: 'How do you know?',
categories: ['brave', 'kind', 'funny', 'smart', 'curious', 'helpful']
},
feelings: {
prompt: 'How does the character feel?',
changes: 'How do their feelings change?',
emotions: ['happy', 'sad', 'angry', 'scared', 'excited', 'surprised']
},
actions: {
prompt: 'What does the character do?',
motives: 'Why do they do it?'
},
relationships: {
prompt: 'Who are the other characters?',
connections: 'How do they interact?'
}
};
```
### Setting
```javascript
const settingAnalysis = {
where: {
prompt: 'Where does the story take place?',
details: 'Describe the place'
},
when: {
prompt: 'When does the story happen?',
clues: ['time of day', 'season', 'past/present/future']
},
importance: {
prompt: 'Does the setting matter to the story?',
question: 'Would the story be different in a different place/time?'
}
};
```
### Plot Structure
```javascript
const plotStructure = {
beginning: {
name: 'Introduction',
elements: ['characters', 'setting', 'situation'],
question: 'How does the story start?'
},
middle: {
name: 'Problem/Conflict',
elements: ['challenge', 'obstacle', 'quest'],
question: 'What problem do the characters face?'
},
climax: {
name: 'Turning Point',
elements: ['most exciting part', 'biggest challenge'],
question: 'What is the most important moment?'
},
end: {
name: 'Resolution',
elements: ['solution', 'outcome', 'lesson'],
question: 'How is the problem solved?'
}
};
```
## Interactive Comprehension Activities
### Story Map
```javascript
function createStoryMap() {
return {
title: '',
characters: {
main: [],
supporting: []
},
setting: {
where: '',
when: ''
},
plot: {
beginning: '',
problem: '',
events: [],
solution: '',
ending: ''
},
display: function() {
return `
📖 ${this.title}
👥 Characters: ${this.characters.main.join(', ')}
📍 Setting: ${this.setting.where} (${this.setting.when})
Story:
Beginning: ${this.plot.beginning}
Problem: ${this.plot.problem}
Events: ${this.plot.events.join(' → ')}
Solution: ${this.plot.solution}
Ending: ${this.plot.ending}
`;
}
};
}
```
### Question Generator
```javascript
function generateComprehensionQuestions(story, level) {
const questions = [];
// Literal questions (ages 5-7)
if (level <= 2) {
questions.push({
type: 'literal',
question: `Who is the main character in "${story.title}"?`,
answer: story.characters.main[0],
difficulty: 'easy'
});
questions.push({
type: 'literal',
question: `Where does the story take place?`,
answer: story.setting.where,
difficulty: 'easy'
});
}
// Inferential questions (ages 7-9)
if (level >= 2) {
questions.push({
type: 'inferential',
question: `Why do you think the character...?`,
answer: null, // Open-ended
difficulty: 'medium'
});
questions.push({
type: 'inferential',
question: `How did the character feel when...?`,
answer: null,
difficulty: 'medium'
});
}
// Evaluative questions (ages 9+)
if (level >= 3) {
questions.push({
type: 'evaluative',
question: `What would you have done differently?`,
answer: null,
difficulty: 'hard'
});
}
return questions;
}
```
### Cloze Reading (Fill in the Blank)
```javascript
function createClozeActivity(text, difficulty = 'medium') {
const words = text.split(' ');
const blanks = [];
// Remove every Nth word based on difficulty
const interval = difficulty === 'easy' ? 10 : difficulty === 'medium' ? 7 : 5;
const modified = words.map((word, index) => {
if (index % interval === 0 && word.length > 3) {
blanks.push({
position: index,
word: word,
hint: word[0] + '_'.repeat(word.length - 1)
});
return '______';
}
return word;
});
return {
original: text,
modified: modified.join(' '),
blanks: blanks,
check: function(userAnswers) {
let correct = 0;
userAnswers.forEach((answer, i) => {
if (answer.toLowerCase() === blanks[i].word.toLowerCase()) {
correct++;
}
});
return {
correct: correct,
total: blanks.length,
percentage: Math.round((correct / blanks.length) * 100)
};
},
getHint: function(blankIndex) {
return blanks[blankIndex].hint;
}
};
}
```
### Sequence Activity
```javascript
function createSequenceActivity(events) {
const shuffled = shuffle([...events]);
return {
events: events,
scrambled: shuffled,
userOrder: [],
check: function() {
return {
correct: JSON.stringify(this.userOrder) === JSON.stringify(events),
correctOrder: events,
userOrder: this.userOrder
};
},
hint: function() {
return `The story starts with: "${events[0]}"`;
}
};
}
```
### Vocabulary in Context
```javascript
function createVocabularyActivity(text, targetWords) {
return targetWords.map(word => {
const sentence = findSentenceWith(text, word);
const context = getContext(text, word);
return {
word: word,
sentence: sentence,
beforeContext: context.before,
afterContext: context.after,
questions: [
{
type: 'multiple-choice',
question: `What does "${word}" mean in this sentence?`,
options: generateDefinitionOptions(word),
answer: getCorrectDefinition(word)
},
{
type: 'context-clue',
question: 'Which words help you understand the meaning?',
answer: getContextClues(sentence, word)
}
],
practice: {
blank: sentence.replace(word, '______'),
wordBank: [word, ...generateSimilarWords(word)],
correctWord: word
}
};
});
}
```
## Comprehension Games
### Story Detective
```javascript
class StoryDetective {
constructor(story) {
this.story = story;
this.clues = [];
this.questions = [];
this.score = 0;
}
addClue(question, answer, location) {
this.clues.push({
question: question,
answer: answer,
found: false,
location: location
});
}
checkClue(clueIndex, userAnswer) {
const clue = this.clues[clueIndex];
if (userAnswer.toLowerCase().includes(clue.answer.toLowerCase())) {
clue.found = true;
this.score += 10;
return {
correct: true,
message: '🔍 Clue found! +10 points',
location: clue.location
};
}
return {
correct: false,
hint: `Look ${clue.location}`,
message: 'Keep searching!'
};
}
getProgress() {
const found = this.clues.filter(c => c.found).length;
return {
found: found,
total: this.clues.length,
percentage: Math.round((found / this.clues.length) * 100),
score: this.score
};
}
}
```
### Reading Race
```javascript
class ReadingRace {
constructor(passage, questionsPerCheckpoint = 3) {
this.passage = passage;
this.checkpoints = this.createCheckpoints(questionsPerCheckpoint);
this.currentCheckpoint = 0;
this.startTime = null;
this.endTime = null;
}
start() {
this.startTime = Date.now();
}
answerQuestion(answer) {
const checkpoint = this.checkpoints[this.currentCheckpoint];
const question = checkpoint.questions[checkpoint.currentQuestion];
const correct = this.checkAnswer(answer, question.answer);
if (correct) {
checkpoint.correct++;
checkpoint.currentQuestion++;
if (checkpoint.currentQuestion >= checkpoint.questions.length) {
this.currentCheckpoint++;
return {
checkpointComplete: true,
message: `🏁 Checkpoint ${this.currentCheckpoint} complete!`
};
}
}
return { correct: correct };
}
finish() {
this.endTime = Date.now();
const time = (this.endTime - this.startTime) / 1000; // seconds
return {
time: time,
checkpoints: this.checkpoints.length,
accuracy: this.calculateAccuracy(),
rating: this.getRating(time, this.calculateAccuracy())
};
}
}
```
## Progress Tracking
### Comprehension Skills Tracker
```javascript
class ComprehensionTracker {
constructor() {
this.skills = {
literal: { attempts: 0, correct: 0 },
inferential: { attempts: 0, correct: 0 },
evaluative: { attempts: 0, correct: 0 },
vocabulary: { attempts: 0, correct: 0 },
sequencing: { attempts: 0, correct: 0 },
mainIdea: { attempts: 0, correct: 0 },
causeEffect: { attempts: 0, correct: 0 }
};
}
record(skillType, correct) {
this.skills[skillType].attempts++;
if (correct) this.skills[skillType].correct++;
}
getSkillLevel(skillType) {
const skill = this.skills[skillType];
if (skill.attempts === 0) return 'Not Started';
const accuracy = skill.correct / skill.attempts;
if (accuracy >= 0.9) return 'Mastered';
if (accuracy >= 0.7) return 'Proficient';
if (accuracy >= 0.5) return 'Developing';
return 'Needs Practice';
}
getReport() {
return Object.entries(this.skills).map(([name, data]) => ({
skill: name,
level: this.getSkillLevel(name),
accuracy: data.attempts > 0 ? Math.round((data.correct / data.attempts) * 100) : 0,
attempts: data.attempts
}));
}
}
```
## Summary
Reading comprehension tools provide:
- Before, during, and after reading strategies
- Multiple question types (literal, inferential, evaluative, creative)
- Story element analysis (character, setting, plot)
- Interactive activities (story maps, cloze, sequencing)
- Comprehension games
- Progress tracking
Use these patterns to create effective comprehension practice!

View File

@@ -0,0 +1,523 @@
# Phonics Reference
Systematic phonics instruction patterns and interactive activities.
## Phonemic Awareness (Pre-Reading)
### Sound Recognition
```javascript
const letterSounds = {
// Consonants
'B': 'buh', 'C': 'kuh', 'D': 'duh', 'F': 'fuh', 'G': 'guh',
'H': 'huh', 'J': 'juh', 'K': 'kuh', 'L': 'luh', 'M': 'muh',
'N': 'nuh', 'P': 'puh', 'Q': 'kwuh', 'R': 'ruh', 'S': 'sss',
'T': 'tuh', 'V': 'vuh', 'W': 'wuh', 'X': 'ks', 'Y': 'yuh', 'Z': 'zzz',
// Vowels (short sounds)
'A': 'ah (like apple)', 'E': 'eh (like egg)',
'I': 'ih (like igloo)', 'O': 'ah (like octopus)',
'U': 'uh (like umbrella)'
};
```
### Rhyming Words
```javascript
const rhymePatterns = {
'at': {
words: ['cat', 'bat', 'rat', 'hat', 'mat', 'sat', 'fat', 'pat'],
emoji: '🐱',
color: '#FF6B9D'
},
'an': {
words: ['can', 'man', 'pan', 'ran', 'van', 'fan', 'tan', 'ban'],
emoji: '👨',
color: '#4ECDC4'
},
'ig': {
words: ['big', 'dig', 'fig', 'pig', 'wig', 'jig'],
emoji: '🐷',
color: '#FFE66D'
},
'op': {
words: ['hop', 'mop', 'pop', 'top', 'stop', 'shop', 'drop'],
emoji: '🛑',
color: '#A8E6CF'
},
'ug': {
words: ['bug', 'hug', 'mug', 'rug', 'tug', 'jug', 'dug'],
emoji: '🐛',
color: '#FF8B94'
}
};
function createRhymeGame(pattern) {
const { words, emoji, color } = rhymePatterns[pattern];
return {
pattern: pattern,
words: words,
display: words.map(w => `${emoji} ${w}`),
checkRhyme: (word) => word.endsWith(pattern)
};
}
```
## CVC Words (Consonant-Vowel-Consonant)
### Short Vowel Sounds
```javascript
const cvcWords = {
'a': [
'cat', 'bat', 'rat', 'hat', 'mat', 'sat', 'pat', 'fat',
'can', 'man', 'pan', 'ran', 'van', 'fan', 'tan', 'ban',
'bag', 'rag', 'tag', 'wag', 'sag', 'lag',
'cap', 'map', 'tap', 'nap', 'gap', 'lap', 'rap',
'dad', 'mad', 'sad', 'bad', 'had', 'pad'
],
'e': [
'bed', 'red', 'led', 'fed', 'wed',
'hen', 'pen', 'ten', 'den', 'men',
'pet', 'net', 'set', 'wet', 'get', 'let', 'met', 'vet',
'leg', 'peg', 'beg'
],
'i': [
'big', 'dig', 'fig', 'pig', 'wig', 'jig',
'bin', 'fin', 'pin', 'tin', 'win', 'din',
'bit', 'fit', 'hit', 'kit', 'pit', 'sit', 'lit',
'dip', 'hip', 'lip', 'rip', 'sip', 'tip', 'zip'
],
'o': [
'dog', 'fog', 'log', 'hog', 'jog',
'dot', 'hot', 'lot', 'not', 'pot', 'cot', 'got',
'hop', 'mop', 'pop', 'top', 'stop',
'box', 'fox', 'ox'
],
'u': [
'bug', 'hug', 'mug', 'rug', 'tug', 'jug', 'dug',
'bun', 'fun', 'run', 'sun', 'gun',
'bus', 'pus', 'us',
'but', 'cut', 'hut', 'nut', 'put'
]
};
function generateCVCPractice(vowel, count = 5) {
const words = cvcWords[vowel];
const selected = shuffle(words).slice(0, count);
return selected.map(word => ({
word: word,
letters: word.split(''),
vowel: vowel,
consonants: word.split('').filter(l => l !== vowel),
image: getWordImage(word)
}));
}
```
### Word Building Activity
```javascript
function createWordBuilder(targetWord) {
const letters = targetWord.split('');
const allLetters = 'abcdefghijklmnopqrstuvwxyz'.split('');
// Create letter bank with correct letters plus distractors
const distractors = shuffle(allLetters.filter(l => !letters.includes(l))).slice(0, 3);
const letterBank = shuffle([...letters, ...distractors]);
return {
target: targetWord,
letters: letterBank,
positions: Array(letters.length).fill(''),
checkWord: function(builtWord) {
return builtWord === targetWord;
},
givHint: function() {
const firstLetter = letters[0];
return `The word starts with "${firstLetter}"`;
}
};
}
```
## Consonant Blends
### Beginning Blends (2-letter)
```javascript
const beginningBlends = {
'bl': ['blue', 'black', 'block', 'blend', 'bless', 'bleed'],
'cl': ['clap', 'clam', 'class', 'climb', 'clock', 'close'],
'fl': ['flag', 'flap', 'flat', 'flip', 'flock', 'flow'],
'gl': ['glad', 'glass', 'glow', 'glue', 'globe'],
'pl': ['plan', 'plant', 'play', 'please', 'plug', 'plum'],
'sl': ['slam', 'slap', 'slip', 'slow', 'slug'],
'br': ['brain', 'branch', 'brave', 'bread', 'brick', 'bring'],
'cr': ['crab', 'crack', 'crash', 'crib', 'crop', 'cross'],
'dr': ['drag', 'drain', 'draw', 'dream', 'dress', 'drill'],
'fr': ['frame', 'fresh', 'friend', 'frog', 'front', 'fruit'],
'gr': ['grab', 'grade', 'grain', 'grass', 'green', 'grow'],
'pr': ['pray', 'press', 'pretty', 'price', 'print', 'prize'],
'tr': ['track', 'train', 'trash', 'tree', 'trick', 'truck'],
'sc': ['scale', 'scare', 'school', 'score', 'scout'],
'sk': ['skate', 'sketch', 'ski', 'skill', 'skip', 'sky'],
'sm': ['small', 'smart', 'smell', 'smile', 'smoke'],
'sn': ['snack', 'snail', 'snake', 'snap', 'snow'],
'sp': ['space', 'spark', 'speak', 'spell', 'spend', 'spin'],
'st': ['stack', 'stamp', 'stand', 'star', 'start', 'stop'],
'sw': ['swam', 'swap', 'sweep', 'sweet', 'swim', 'swing']
};
```
### Ending Blends
```javascript
const endingBlends = {
'nd': ['and', 'band', 'hand', 'land', 'sand', 'stand', 'wind'],
'ng': ['bang', 'king', 'long', 'ring', 'sing', 'song', 'wing'],
'nk': ['bank', 'drink', 'pink', 'sink', 'tank', 'think', 'wink'],
'nt': ['ant', 'bent', 'went', 'hunt', 'plant', 'sent', 'want'],
'mp': ['camp', 'jump', 'lamp', 'pump', 'stamp'],
'sk': ['ask', 'desk', 'mask', 'risk', 'task'],
'st': ['best', 'fast', 'just', 'last', 'must', 'rest', 'test']
};
```
### Blend Practice Game
```javascript
function createBlendGame(blendType, blend) {
const words = beginningBlends[blend] || endingBlends[blend];
return {
blend: blend,
words: words,
sound: `"${blend}"`,
displayWord: function(word) {
const parts = word.split(blend);
return {
before: parts[0],
blend: blend,
after: parts[1] || parts[0],
highlight: blend
};
},
createChallenge: function() {
const correctWord = words[Math.floor(Math.random() * words.length)];
const otherBlends = Object.keys(beginningBlends).filter(b => b !== blend);
const wrongBlend = otherBlends[Math.floor(Math.random() * otherBlends.length)];
const wrongWord = beginningBlends[wrongBlend][0];
return {
question: `Which word has the "${blend}" sound?`,
options: shuffle([correctWord, wrongWord]),
answer: correctWord
};
}
};
}
```
## Digraphs
### Consonant Digraphs
```javascript
const digraphs = {
'ch': {
sound: 'ch (as in cheese)',
words: ['chain', 'chair', 'chalk', 'chap', 'chat', 'check', 'cheese',
'chess', 'chest', 'chick', 'child', 'chill', 'chip', 'chop'],
emoji: '🧀'
},
'sh': {
sound: 'sh (as in ship)',
words: ['shade', 'shake', 'shame', 'shape', 'share', 'shark', 'sharp',
'sheep', 'shelf', 'shell', 'shine', 'ship', 'shirt', 'shop'],
emoji: '🚢'
},
'th': {
sound: 'th (as in think)',
words: ['thank', 'that', 'them', 'then', 'there', 'these', 'thick',
'thin', 'thing', 'think', 'third', 'this', 'thorn', 'three'],
emoji: '🤔'
},
'wh': {
sound: 'wh (as in whale)',
words: ['whale', 'what', 'wheat', 'wheel', 'when', 'where',
'which', 'while', 'whip', 'white', 'why'],
emoji: '🐋'
},
'ph': {
sound: 'f (as in phone)',
words: ['phone', 'photo', 'phrase', 'physical'],
emoji: '📞'
}
};
```
### Vowel Digraphs
```javascript
const vowelDigraphs = {
'ai': {
sound: 'long a (as in rain)',
words: ['brain', 'chain', 'gain', 'mail', 'main', 'nail', 'pain',
'rail', 'rain', 'sail', 'tail', 'train', 'wait'],
emoji: '🌧️'
},
'ay': {
sound: 'long a (as in play)',
words: ['day', 'hay', 'jay', 'lay', 'may', 'pay', 'play',
'ray', 'say', 'stay', 'tray', 'way'],
emoji: '🎮'
},
'ea': {
sound: 'long e (as in eat)',
words: ['beach', 'bean', 'clean', 'dream', 'eat', 'leaf', 'mean',
'meat', 'peas', 'read', 'seal', 'steam', 'teach', 'team'],
emoji: '🍃'
},
'ee': {
sound: 'long e (as in tree)',
words: ['bee', 'feed', 'feel', 'free', 'green', 'knee', 'need',
'seed', 'see', 'sleep', 'street', 'tree', 'three', 'wheel'],
emoji: '🌳'
},
'oa': {
sound: 'long o (as in boat)',
words: ['boat', 'coat', 'float', 'goat', 'load', 'road',
'soap', 'soak', 'toad', 'toast'],
emoji: '🚤'
},
'ow': {
sound: 'long o (as in snow)',
words: ['blow', 'bow', 'flow', 'glow', 'grow', 'know',
'low', 'mow', 'row', 'show', 'slow', 'snow'],
emoji: '❄️'
},
'oo': {
sound: 'oo (as in moon)',
words: ['boom', 'boo', 'cool', 'food', 'moon', 'noon',
'pool', 'room', 'soon', 'spoon', 'zoo'],
emoji: '🌙'
}
};
```
## Silent Letters
### Silent E (Magic E)
```javascript
const magicE = {
'a_e': {
pattern: 'a + consonant + e',
sound: 'long a',
pairs: [
{ short: 'cap', long: 'cape' },
{ short: 'hat', long: 'hate' },
{ short: 'mad', long: 'made' },
{ short: 'tap', long: 'tape' },
{ short: 'can', long: 'cane' },
{ short: 'pan', long: 'pane' },
{ short: 'plan', long: 'plane' }
]
},
'i_e': {
pattern: 'i + consonant + e',
sound: 'long i',
pairs: [
{ short: 'bit', long: 'bite' },
{ short: 'kit', long: 'kite' },
{ short: 'pin', long: 'pine' },
{ short: 'rip', long: 'ripe' },
{ short: 'dim', long: 'dime' },
{ short: 'slid', long: 'slide' }
]
},
'o_e': {
pattern: 'o + consonant + e',
sound: 'long o',
pairs: [
{ short: 'hop', long: 'hope' },
{ short: 'not', long: 'note' },
{ short: 'rob', long: 'robe' },
{ short: 'rod', long: 'rode' },
{ short: 'con', long: 'cone' }
]
},
'u_e': {
pattern: 'u + consonant + e',
sound: 'long u',
pairs: [
{ short: 'cub', long: 'cube' },
{ short: 'cut', long: 'cute' },
{ short: 'tub', long: 'tube' },
{ short: 'us', long: 'use' }
]
}
};
function createMagicEGame(vowel) {
const pattern = `${vowel}_e`;
const pairs = magicE[pattern].pairs;
return {
pattern: pattern,
explanation: `Adding 'e' makes the ${vowel} say its name!`,
showTransformation: function(pair) {
return {
before: `${pair.short} (short ${vowel})`,
after: `${pair.long} (long ${vowel})`,
animation: `${pair.short}${pair.long}`
};
},
quiz: function() {
const pair = pairs[Math.floor(Math.random() * pairs.length)];
return {
question: `Add magic 'e' to "${pair.short}"`,
answer: pair.long
};
}
};
}
```
### Other Silent Letters
```javascript
const silentLetters = {
'silent k': {
words: ['knee', 'knife', 'knight', 'knit', 'knock', 'know'],
rule: 'K is silent before N'
},
'silent w': {
words: ['wrap', 'wrist', 'write', 'wrong', 'wreck'],
rule: 'W is silent before R'
},
'silent b': {
words: ['bomb', 'climb', 'comb', 'crumb', 'lamb', 'thumb'],
rule: 'B is silent after M'
},
'silent h': {
words: ['honest', 'honor', 'hour'],
rule: 'H is silent in some words'
},
'silent gh': {
words: ['high', 'light', 'night', 'right', 'fight', 'sight'],
rule: 'GH is silent in -ight words'
}
};
```
## Interactive Phonics Activities
### Sound Sorting Game
```javascript
function createSoundSortingGame(targetSound) {
const withSound = getWordsWithSound(targetSound);
const withoutSound = getRandomWords(5);
return {
targetSound: targetSound,
allWords: shuffle([...withSound, ...withoutSound]),
checkWord: function(word) {
return word.includes(targetSound);
},
feedback: function(word, userChoice) {
const correct = this.checkWord(word);
if (userChoice === correct) {
return { correct: true, message: `✓ Yes! "${word}" has "${targetSound}"` };
} else {
return { correct: false, message: `Try again! Listen for "${targetSound}"` };
}
}
};
}
```
### Word Family Builder
```javascript
function buildWordFamily(ending) {
const consonants = 'bcdfghjklmnpqrstvwxyz'.split('');
const words = consonants
.map(c => c + ending)
.filter(word => isRealWord(word));
return {
family: `-${ending}`,
words: words,
pattern: `_${ending}`,
display: function() {
return words.map(word => ({
word: word,
highlight: ending,
display: `${word[0]} + ${ending} = ${word}`
}));
},
createPractice: function() {
const target = words[Math.floor(Math.random() * words.length)];
const missing = target[0];
return {
question: `_${ending} = ${target}`,
answer: missing,
word: target
};
}
};
}
```
## Pronunciation Guides
### Visual Phonics Symbols
```javascript
const phonicsSymbols = {
shortA: { symbol: 'ă', example: 'apple', mouth: '😮' },
longA: { symbol: 'ā', example: 'ape', mouth: '😁' },
shortE: { symbol: 'ĕ', example: 'egg', mouth: '😐' },
longE: { symbol: 'ē', example: 'eat', mouth: '😊' },
shortI: { symbol: 'ĭ', example: 'igloo', mouth: '🙂' },
longI: { symbol: 'ī', example: 'ice', mouth: '😲' },
shortO: { symbol: 'ŏ', example: 'octopus', mouth: '😯' },
longO: { symbol: 'ō', example: 'open', mouth: '😮' },
shortU: { symbol: 'ŭ', example: 'umbrella', mouth: '😐' },
longU: { symbol: 'ū', example: 'use', mouth: '😗' }
};
```
## Summary
Phonics patterns provide:
- Systematic sound-letter correspondence
- Progressive skill building
- Interactive practice activities
- Visual and auditory learning
- Game-based engagement
- Clear pronunciation guides
Use these patterns to create effective phonics playgrounds!

View File

@@ -0,0 +1,506 @@
# Sight Words Reference
Comprehensive sight word lists organized by level (Dolch and Fry lists).
## What Are Sight Words?
Sight words are high-frequency words that appear often in text. Many don't follow regular phonics patterns, so children learn to recognize them instantly "by sight."
**Why They Matter:**
- 50-75% of all text consists of these words
- Essential for reading fluency
- Enable focus on content, not decoding
- Build reading confidence
## Dolch Sight Words
### Pre-Kindergarten (40 words)
```javascript
const dolchPreK = [
'a', 'and', 'away', 'big', 'blue', 'can', 'come', 'down',
'find', 'for', 'funny', 'go', 'help', 'here', 'I', 'in',
'is', 'it', 'jump', 'little', 'look', 'make', 'me', 'my',
'not', 'one', 'play', 'red', 'run', 'said', 'see', 'the',
'three', 'to', 'two', 'up', 'we', 'where', 'yellow', 'you'
];
const preKByCategory = {
colors: ['blue', 'red', 'yellow'],
numbers: ['one', 'two', 'three'],
actions: ['come', 'down', 'find', 'go', 'help', 'jump', 'look', 'make', 'play', 'run', 'see'],
descriptive: ['big', 'funny', 'little'],
pronouns: ['I', 'it', 'me', 'my', 'we', 'you'],
prepositions: ['in', 'to', 'up'],
other: ['a', 'and', 'away', 'can', 'for', 'here', 'is', 'not', 'said', 'the', 'where']
};
```
### Kindergarten (52 words)
```javascript
const dolchKindergarten = [
'all', 'am', 'are', 'at', 'ate', 'be', 'black', 'brown',
'but', 'came', 'did', 'do', 'eat', 'four', 'get', 'good',
'have', 'he', 'into', 'like', 'must', 'new', 'no', 'now',
'on', 'our', 'out', 'please', 'pretty', 'ran', 'ride', 'saw',
'say', 'she', 'so', 'soon', 'that', 'there', 'they', 'this',
'too', 'under', 'want', 'was', 'well', 'went', 'what', 'white',
'who', 'will', 'with', 'yes'
];
```
### First Grade (41 words)
```javascript
const dolchFirstGrade = [
'after', 'again', 'an', 'any', 'as', 'ask', 'by', 'could',
'every', 'fly', 'from', 'give', 'giving', 'had', 'has', 'her',
'him', 'his', 'how', 'just', 'know', 'let', 'live', 'may',
'of', 'old', 'once', 'open', 'over', 'put', 'round', 'some',
'stop', 'take', 'thank', 'them', 'then', 'think', 'walk', 'were',
'when'
];
```
### Second Grade (46 words)
```javascript
const dolchSecondGrade = [
'always', 'around', 'because', 'been', 'before', 'best', 'both',
'buy', 'call', 'cold', 'does', 'don\'t', 'fast', 'first', 'five',
'found', 'gave', 'goes', 'green', 'its', 'made', 'many', 'off',
'or', 'pull', 'read', 'right', 'sing', 'sit', 'sleep', 'tell',
'their', 'these', 'those', 'upon', 'us', 'use', 'very', 'wash',
'which', 'why', 'wish', 'work', 'would', 'write', 'your'
];
```
### Third Grade (41 words)
```javascript
const dolchThirdGrade = [
'about', 'better', 'bring', 'carry', 'clean', 'cut', 'done',
'draw', 'drink', 'eight', 'fall', 'far', 'full', 'got', 'grow',
'hold', 'hot', 'hurt', 'if', 'keep', 'kind', 'laugh', 'light',
'long', 'much', 'myself', 'never', 'only', 'own', 'pick', 'seven',
'shall', 'show', 'six', 'small', 'start', 'ten', 'today', 'together',
'try', 'warm'
];
```
### Dolch Nouns (95 words)
```javascript
const dolchNouns = [
'apple', 'baby', 'back', 'ball', 'bear', 'bed', 'bell', 'bird',
'birthday', 'boat', 'box', 'boy', 'bread', 'brother', 'cake', 'car',
'cat', 'chair', 'chicken', 'children', 'Christmas', 'coat', 'corn',
'cow', 'day', 'dog', 'doll', 'door', 'duck', 'egg', 'eye', 'farm',
'farmer', 'father', 'feet', 'fire', 'fish', 'floor', 'flower', 'game',
'garden', 'girl', 'goodbye', 'grass', 'ground', 'hand', 'head', 'hill',
'home', 'horse', 'house', 'kitty', 'leg', 'letter', 'man', 'men',
'milk', 'money', 'morning', 'mother', 'name', 'nest', 'night', 'paper',
'party', 'picture', 'pig', 'rabbit', 'rain', 'ring', 'robin', 'santa',
'school', 'seed', 'sheep', 'shoe', 'sister', 'snow', 'song', 'squirrel',
'stick', 'street', 'sun', 'table', 'thing', 'time', 'top', 'toy',
'tree', 'watch', 'water', 'way', 'wind', 'window', 'wood'
];
```
## Fry Sight Words
### First 100 (Most Common)
```javascript
const fryFirst100 = {
'1-25': [
'the', 'of', 'and', 'a', 'to', 'in', 'is', 'you', 'that', 'it',
'he', 'was', 'for', 'on', 'are', 'as', 'with', 'his', 'they', 'I',
'at', 'be', 'this', 'have', 'from'
],
'26-50': [
'or', 'one', 'had', 'by', 'words', 'but', 'not', 'what', 'all', 'were',
'we', 'when', 'your', 'can', 'said', 'there', 'use', 'an', 'each', 'which',
'she', 'do', 'how', 'their', 'if'
],
'51-75': [
'will', 'up', 'other', 'about', 'out', 'many', 'then', 'them', 'these', 'so',
'some', 'her', 'would', 'make', 'like', 'him', 'into', 'time', 'has', 'look',
'two', 'more', 'write', 'go', 'see'
],
'76-100': [
'number', 'no', 'way', 'could', 'people', 'my', 'than', 'first', 'water', 'been',
'called', 'who', 'am', 'its', 'now', 'find', 'long', 'down', 'day', 'did',
'get', 'come', 'made', 'may', 'part'
]
};
```
### Second 100
```javascript
const frySecond100 = {
'101-125': [
'over', 'new', 'sound', 'take', 'only', 'little', 'work', 'know', 'place', 'years',
'live', 'me', 'back', 'give', 'most', 'very', 'after', 'things', 'our', 'just',
'name', 'good', 'sentence', 'man', 'think'
],
'126-150': [
'say', 'great', 'where', 'help', 'through', 'much', 'before', 'line', 'right', 'too',
'means', 'old', 'any', 'same', 'tell', 'boy', 'follow', 'came', 'want', 'show',
'also', 'around', 'form', 'three', 'small'
],
'151-175': [
'set', 'put', 'end', 'does', 'another', 'well', 'large', 'must', 'big', 'even',
'such', 'because', 'turn', 'here', 'why', 'asked', 'went', 'men', 'read', 'need',
'land', 'different', 'home', 'us', 'move'
],
'176-200': [
'try', 'kind', 'hand', 'picture', 'again', 'change', 'off', 'play', 'spell', 'air',
'away', 'animal', 'house', 'point', 'page', 'letter', 'mother', 'answer', 'found', 'study',
'still', 'learn', 'should', 'America', 'world'
]
};
```
## Interactive Practice Activities
### Sight Word Flash Cards
```javascript
function createFlashCards(wordList, timePerCard = 3000) {
let currentIndex = 0;
let correct = 0;
let total = 0;
return {
words: shuffle(wordList),
currentWord: wordList[0],
next: function() {
currentIndex = (currentIndex + 1) % this.words.length;
this.currentWord = this.words[currentIndex];
return this.currentWord;
},
checkAnswer: function(userAnswer) {
total++;
const isCorrect = userAnswer.toLowerCase() === this.currentWord.toLowerCase();
if (isCorrect) correct++;
return {
correct: isCorrect,
word: this.currentWord,
score: `${correct}/${total}`,
percentage: Math.round((correct / total) * 100)
};
},
getStats: function() {
return {
totalSeen: total,
totalCorrect: correct,
accuracy: total > 0 ? Math.round((correct / total) * 100) : 0
};
}
};
}
```
### Word Search Game
```javascript
function createWordSearch(words, size = 10) {
const grid = Array(size).fill().map(() => Array(size).fill(''));
const placed = [];
// Place words in grid
words.forEach(word => {
const direction = Math.random() < 0.5 ? 'horizontal' : 'vertical';
const position = placeWord(grid, word, direction);
if (position) {
placed.push({ word, ...position });
}
});
// Fill empty spaces with random letters
for (let i = 0; i < size; i++) {
for (let j = 0; j < size; j++) {
if (!grid[i][j]) {
grid[i][j] = String.fromCharCode(97 + Math.floor(Math.random() * 26));
}
}
}
return {
grid: grid,
words: words,
found: [],
checkWord: function(selectedCells) {
const word = selectedCells.map(cell => grid[cell.row][cell.col]).join('');
if (words.includes(word) && !this.found.includes(word)) {
this.found.push(word);
return { found: true, word: word };
}
return { found: false };
},
isComplete: function() {
return this.found.length === words.length;
}
};
}
```
### Sentence Building
```javascript
function createSentenceBuilder(sightWords) {
const sentenceTemplates = [
['I', 'can', 'see', 'the', '{noun}'],
['The', '{noun}', 'is', '{color}'],
['We', 'like', 'to', '{action}'],
['{name}', 'said', '{quote}'],
['Look', 'at', 'the', '{adjective}', '{noun}']
];
const fillWords = {
noun: ['cat', 'dog', 'ball', 'sun', 'tree'],
color: ['red', 'blue', 'green', 'yellow'],
action: ['play', 'run', 'jump', 'read'],
name: ['Tom', 'Sue', 'Mom', 'Dad'],
quote: ['"hello"', '"stop"', '"help"'],
adjective: ['big', 'little', 'funny', 'pretty']
};
return {
generate: function() {
const template = sentenceTemplates[Math.floor(Math.random() * sentenceTemplates.length)];
const sentence = template.map(word => {
if (word.startsWith('{')) {
const type = word.slice(1, -1);
return fillWords[type][Math.floor(Math.random() * fillWords[type].length)];
}
return word;
});
return {
sentence: sentence.join(' '),
words: sentence,
sightWords: sentence.filter(w => sightWords.includes(w.toLowerCase()))
};
},
scramble: function() {
const { sentence, words } = this.generate();
return {
correctOrder: words,
scrambled: shuffle([...words]),
answer: sentence
};
}
};
}
```
### Memory Match Game
```javascript
function createMemoryMatch(words) {
// Create pairs: word and image/definition
const pairs = words.map(word => [
{ type: 'word', content: word, id: `${word}-word` },
{ type: 'image', content: getWordImage(word), id: `${word}-image` }
]).flat();
return {
cards: shuffle(pairs),
flipped: [],
matched: [],
flip: function(cardId) {
if (this.flipped.length < 2 && !this.flipped.includes(cardId)) {
this.flipped.push(cardId);
if (this.flipped.length === 2) {
return this.checkMatch();
}
}
return { matched: false };
},
checkMatch: function() {
const [id1, id2] = this.flipped;
const card1 = this.cards.find(c => c.id === id1);
const card2 = this.cards.find(c => c.id === id2);
const word1 = id1.split('-')[0];
const word2 = id2.split('-')[0];
if (word1 === word2) {
this.matched.push(id1, id2);
this.flipped = [];
return { matched: true, word: word1 };
}
// Reset after delay
setTimeout(() => { this.flipped = []; }, 1000);
return { matched: false };
},
isComplete: function() {
return this.matched.length === this.cards.length;
}
};
}
```
### Typing Practice
```javascript
function createTypingPractice(words) {
let currentWordIndex = 0;
let startTime = null;
let stats = {
correct: 0,
total: 0,
wpm: 0
};
return {
currentWord: words[0],
start: function() {
startTime = Date.now();
},
check: function(typed) {
stats.total++;
const correct = typed === this.currentWord;
if (correct) {
stats.correct++;
currentWordIndex = (currentWordIndex + 1) % words.length;
this.currentWord = words[currentWordIndex];
}
// Calculate WPM
const elapsed = (Date.now() - startTime) / 1000 / 60; // minutes
stats.wpm = Math.round(stats.correct / elapsed);
return {
correct: correct,
accuracy: Math.round((stats.correct / stats.total) * 100),
wpm: stats.wpm
};
},
getStats: function() {
return stats;
}
};
}
```
## Word List Management
### Adaptive Practice
```javascript
class AdaptiveSightWords {
constructor(allWords) {
this.allWords = allWords;
this.mastered = new Set();
this.practicing = new Set();
this.new = new Set(allWords);
}
getNextWord() {
// 70% practicing, 20% new, 10% review mastered
const rand = Math.random();
if (rand < 0.7 && this.practicing.size > 0) {
return this.selectFrom(this.practicing);
} else if (rand < 0.9 && this.new.size > 0) {
const word = this.selectFrom(this.new);
this.new.delete(word);
this.practicing.add(word);
return word;
} else if (this.mastered.size > 0) {
return this.selectFrom(this.mastered);
}
return this.selectFrom(this.allWords);
}
recordResult(word, correct) {
if (correct) {
// Move to mastered after 3 correct in a row
if (!this.mastered.has(word)) {
this.practicing.delete(word);
this.mastered.add(word);
}
} else {
// Move back to practicing
this.mastered.delete(word);
this.practicing.add(word);
}
}
selectFrom(set) {
const arr = Array.from(set);
return arr[Math.floor(Math.random() * arr.length)];
}
getProgress() {
return {
total: this.allWords.length,
mastered: this.mastered.size,
practicing: this.practicing.size,
new: this.new.size,
percentage: Math.round((this.mastered.size / this.allWords.length) * 100)
};
}
}
```
## Visual Design Guidelines
### Display Requirements
```javascript
const displaySettings = {
fontSize: {
preK: '48px',
kindergarten: '36px',
grade1: '32px',
grade2: '28px',
grade3: '24px'
},
colors: {
new: '#FF6B9D', // Pink - new words
practicing: '#FFE66D', // Yellow - practicing
mastered: '#4ECDC4' // Teal - mastered
},
timing: {
flashDuration: 3000, // 3 seconds per word
typingTimeout: 5000, // 5 seconds to type
memoryFlipDelay: 1000 // 1 second before flip back
}
};
```
## Summary
Sight word lists provide:
- Comprehensive Dolch and Fry word lists
- Grade-level organization
- Multiple practice modalities
- Adaptive learning systems
- Progress tracking
- Game-based activities
Use these lists to create effective sight word practice!