diff --git a/app/services/impl/training/training.py b/app/services/impl/training/training.py
index ba1da4c..687af2c 100644
--- a/app/services/impl/training/training.py
+++ b/app/services/impl/training/training.py
@@ -108,7 +108,6 @@ class TrainingService(ITrainingService):
doc_id = await self._db.save_to_db('training', training_doc)
return {
"id": new_id
- "id": doc_id
}
@staticmethod
@@ -458,5 +457,3 @@ class TrainingService(ITrainingService):
except KeyError as e:
self._logger.warning(f"Malformed stat object: {str(e)}")
return result
-
-
diff --git a/helper/elai_api.py b/helper/elai_api.py
deleted file mode 100644
index fc59f3d..0000000
--- a/helper/elai_api.py
+++ /dev/null
@@ -1,263 +0,0 @@
-import os
-import random
-import time
-from logging import getLogger
-
-import requests
-from dotenv import load_dotenv
-
-from helper.constants import *
-from helper.firebase_helper import upload_file_firebase_get_url, save_to_db_with_id
-from elai.AvatarEnum import AvatarEnum
-
-load_dotenv()
-
-logger = getLogger(__name__)
-
-# Get ELAI token
-TOKEN = os.getenv("ELAI_TOKEN")
-FIREBASE_BUCKET = os.getenv('FIREBASE_BUCKET')
-
-# POST TO CREATE VIDEO
-POST_HEADER = {
- "accept": "application/json",
- "content-type": "application/json",
- "Authorization": f"Bearer {TOKEN}"
-}
-GET_HEADER = {
- "accept": "application/json",
- "Authorization": f"Bearer {TOKEN}"
-}
-
-
-def create_videos_and_save_to_db(exercises, template, id):
- avatar = random.choice(list(AvatarEnum))
- # Speaking 1
- # Using list comprehension to find the element with the desired value in the 'type' field
- found_exercises_1 = [element for element in exercises if element.get('type') == 1]
- # Check if any elements were found
- if found_exercises_1:
- exercise_1 = found_exercises_1[0]
- sp1_questions = []
- logger.info('Creating video for speaking part 1')
- for question in exercise_1["questions"]:
- sp1_result = create_video(question, avatar)
- if sp1_result is not None:
- sound_file_path = VIDEO_FILES_PATH + sp1_result
- firebase_file_path = FIREBASE_SPEAKING_VIDEO_FILES_PATH + sp1_result
- url = upload_file_firebase_get_url(FIREBASE_BUCKET, firebase_file_path, sound_file_path)
- video = {
- "text": question,
- "video_path": firebase_file_path,
- "video_url": url
- }
- sp1_questions.append(video)
- else:
- logger.error("Failed to create video for part 1 question: " + exercise_1["question"])
- template["exercises"][0]["prompts"] = sp1_questions
- template["exercises"][0]["first_title"] = exercise_1["first_topic"]
- template["exercises"][0]["second_title"] = exercise_1["second_topic"]
-
- # Speaking 2
- # Using list comprehension to find the element with the desired value in the 'type' field
- found_exercises_2 = [element for element in exercises if element.get('type') == 2]
- # Check if any elements were found
- if found_exercises_2:
- exercise_2 = found_exercises_2[0]
- logger.info('Creating video for speaking part 2')
- sp2_result = create_video(exercise_2["question"], avatar)
- if sp2_result is not None:
- sound_file_path = VIDEO_FILES_PATH + sp2_result
- firebase_file_path = FIREBASE_SPEAKING_VIDEO_FILES_PATH + sp2_result
- url = upload_file_firebase_get_url(FIREBASE_BUCKET, firebase_file_path, sound_file_path)
- sp2_video_path = firebase_file_path
- sp2_video_url = url
- template["exercises"][1]["prompts"] = exercise_2["prompts"]
- template["exercises"][1]["text"] = exercise_2["question"]
- template["exercises"][1]["title"] = exercise_2["topic"]
- template["exercises"][1]["video_url"] = sp2_video_url
- template["exercises"][1]["video_path"] = sp2_video_path
- else:
- logger.error("Failed to create video for part 2 question: " + exercise_2["question"])
-
- # Speaking 3
- # Using list comprehension to find the element with the desired value in the 'type' field
- found_exercises_3 = [element for element in exercises if element.get('type') == 3]
- # Check if any elements were found
- if found_exercises_3:
- exercise_3 = found_exercises_3[0]
- sp3_questions = []
- logger.info('Creating videos for speaking part 3')
- for question in exercise_3["questions"]:
- result = create_video(question, avatar)
- if result is not None:
- sound_file_path = VIDEO_FILES_PATH + result
- firebase_file_path = FIREBASE_SPEAKING_VIDEO_FILES_PATH + result
- url = upload_file_firebase_get_url(FIREBASE_BUCKET, firebase_file_path, sound_file_path)
- video = {
- "text": question,
- "video_path": firebase_file_path,
- "video_url": url
- }
- sp3_questions.append(video)
- else:
- logger.error("Failed to create video for part 3 question: " + question)
- template["exercises"][2]["prompts"] = sp3_questions
- template["exercises"][2]["title"] = exercise_3["topic"]
-
- if not found_exercises_3:
- template["exercises"].pop(2)
- if not found_exercises_2:
- template["exercises"].pop(1)
- if not found_exercises_1:
- template["exercises"].pop(0)
-
- save_to_db_with_id("speaking", template, id)
- logger.info('Saved speaking to DB with id ' + id + " : " + str(template))
-
-
-def create_video(text, avatar):
- # POST TO CREATE VIDEO
- create_video_url = "https://apis.elai.io/api/v1/videos"
-
- avatar_url = AvatarEnum[avatar].value.get("avatar_url")
- avatar_code = AvatarEnum[avatar].value.get("avatar_code")
- avatar_gender = AvatarEnum[avatar].value.get("avatar_gender")
- avatar_canvas = AvatarEnum[avatar].value.get("avatar_canvas")
- voice_id = AvatarEnum[avatar].value.get("voice_id")
- voice_provider = AvatarEnum[avatar].value.get("voice_provider")
-
- data = {
- "name": "API test",
- "slides": [
- {
- "id": 1,
- "canvas": {
- "objects": [
- {
- "type": "avatar",
- "left": 151.5,
- "top": 36,
- "fill": "#4868FF",
- "scaleX": 0.3,
- "scaleY": 0.3,
- "width": 1080,
- "height": 1080,
- "src": avatar_url,
- "avatarType": "transparent",
- "animation": {
- "type": None,
- "exitType": None
- }
- },
- {
- "type": "image",
- "version": "5.3.0",
- "originX": "left",
- "originY": "top",
- "left": 30,
- "top": 30,
- "width": 800,
- "height": 600,
- "fill": "rgb(0,0,0)",
- "stroke": None,
- "strokeWidth": 0,
- "strokeDashArray": None,
- "strokeLineCap": "butt",
- "strokeDashOffset": 0,
- "strokeLineJoin": "miter",
- "strokeUniform": False,
- "strokeMiterLimit": 4,
- "scaleX": 0.18821429,
- "scaleY": 0.18821429,
- "angle": 0,
- "flipX": False,
- "flipY": False,
- "opacity": 1,
- "shadow": None,
- "visible": True,
- "backgroundColor": "",
- "fillRule": "nonzero",
- "paintFirst": "fill",
- "globalCompositeOperation": "source-over",
- "skewX": 0,
- "skewY": 0,
- "cropX": 0,
- "cropY": 0,
- "id": 676845479989,
- "src": "https://d3u63mhbhkevz8.cloudfront.net/production/uploads/66f5190349f943682dd776ff/"
- "en-coach-main-logo-800x600_sm1ype.jpg?Expires=1727654400&Policy=eyJTdGF0ZW1lbnQiOlt"
- "7IlJlc291cmNlIjoiaHR0cHM6Ly9kM3U2M21oYmhrZXZ6OC5jbG91ZGZyb250Lm5ldC9wcm9kdWN0aW9uL3"
- "VwbG9hZHMvNjZmNTE5MDM0OWY5NDM2ODJkZDc3NmZmL2VuLWNvYWNoLW1haW4tbG9nby04MDB4NjAwX3NtM"
- "XlwZS5qcGciLCJDb25kaXRpb24iOnsiRGF0ZUxlc3NUaGFuIjp7IkFXUzpFcG9jaFRpbWUiOjE3Mjc2NTQ0"
- "MDB9fX1dfQ__&Signature=kTVzlDeS7cua2HiAE5G%7E-yFqbhu0bHraFH5SauUln7yuNXoX7vtiKIBYiL"
- "%7Eps3LCLEZS77arSZ7H%7EG8CKzabHDjAR-Y6Uc%7ELD5KQaMmk0jbAxbC3Wdoq6cfd0qIwEuodQYlC0It"
- "2WBidP8KsgOy3uUQ%7EvcBoqlb255yMFw4pHuptOBB1kPs%7EFyzDV0fnRNsKaYRcy0Fn2EFUp13axm0CZQ"
- "clazuLFM622AyCydKMy0vfxV%7Etny3sskwPaUe2OANGMFg07Q1pRuy6fUON0DsbhAh1tA2H6-nnem5KbFw"
- "iZK3IIwwYGBx3H41ovzC6Ejt80Fd0%7EPSHw7GzVBnUmtP-IA__&Key-Pair-Id=K1Y7U91AR6T7E5",
- "crossOrigin": "anonymous",
- "filters": [],
- "_exists": True
- }
- ],
- "background": "#ffffff",
- "version": "4.4.0"
- },
- "avatar": {
- "code": avatar_code,
- "gender": avatar_gender,
- "canvas": avatar_canvas
- },
- "animation": "fade_in",
- "language": "English",
- "speech": text,
- "voice": voice_id,
- "voiceType": "text",
- "voiceProvider": voice_provider
- }
- ]
- }
-
- response = requests.post(create_video_url, headers=POST_HEADER, json=data)
- logger.info(response.status_code)
- logger.info(response.json())
-
- video_id = response.json()["_id"]
-
- if video_id:
- # Render Video
- render_url = f"https://apis.elai.io/api/v1/videos/render/{video_id}"
-
- requests.post(render_url, headers=GET_HEADER)
-
- status_url = f"https://apis.elai.io/api/v1/videos/{video_id}"
-
- while True:
- response = requests.get(status_url, headers=GET_HEADER)
- response_data = response.json()
-
- if response_data['status'] == 'ready':
- logger.info(response_data)
- # DOWNLOAD VIDEO
- download_url = response_data.get('url')
- output_directory = 'download-video/'
- output_filename = video_id + '.mp4'
-
- response = requests.get(download_url)
-
- if response.status_code == 200:
- os.makedirs(output_directory, exist_ok=True) # Create the directory if it doesn't exist
- output_path = os.path.join(output_directory, output_filename)
- with open(output_path, 'wb') as f:
- f.write(response.content)
- logger.info(f"File '{output_filename}' downloaded successfully.")
- return output_filename
- else:
- logger.error(f"Failed to download file. Status code: {response.status_code}")
- return None
- elif response_data['status'] == 'failed':
- print('Video creation failed.')
- break
- else:
- print('Video is still processing. Checking again in 10 seconds...')
- time.sleep(10)
\ No newline at end of file
diff --git a/modules/training_content/tips/instructions.MD b/modules/training_content/tips/instructions.MD
deleted file mode 100644
index b27f720..0000000
--- a/modules/training_content/tips/instructions.MD
+++ /dev/null
@@ -1,67 +0,0 @@
-# Adding new training content
-
-If you're ever tasked with the grueling task of adding more tips from manuals, my condolences.
-
-There are 4 components of a training content tip: the tip itself, the question, the additional and the segment.
-
-The tip is the actual tip, if the manual doesn't have an exercise that relates to that tip fill this out:
-
-```json
-{
- "category": "",
- "embedding": "",
- "text": "",
- "html": "",
- "id": "",
- "verified": ,
- "standalone":
-}
-```
-
-If the manual does have an exercise that relates to the tip:
-
-```json
-{
- // ...
- "question": "",
- "additional": "",
- "segments": [
- {
- "html": " >",
- "wordDelay": ,
- "holdDelay": ,
- "highlight": [
- {
- "targets": [""],
- "phrases": [""]
- }
- ],
- "insertHTML": [
- {
- "target": "",
- "targetId": "",
- "position": "",
- "html": ""
- },
- ]
- }
- ]
-}
-```
-
-In order to create these structures you will have to mannually screenshot the tips, exercises, context and send them to an llm (gpt-4o or claude)
-with a prompt like "get me the html for this", you will have to check whether the html is properly structured and then
-paste them in the prompt.txt file of this directory and send it
-back to an llm.
-
-Afterwards you will have to check whether the default styles in /src/components/TrainingContent/FormatTip.ts are adequate, divs
-(except for the wrapper div of a segment) and span styles are not overriden but you should aim to use the least ammount of
-styles in the tip itself and create custom reusable html elements
-in FormatTip.ts.
-
-After checking all of the tips render you will have to create new embeddings in the backend, you CAN'T change ids of existing tips since there
-might be training tips that are already stored in firebase.
-
-This is a very tedious task here's a recommendation for [background noise](https://www.youtube.com/watch?v=lDnva_3fcTc).
-
-GL HF
diff --git a/modules/training_content/tips/pathways_2_rw.json b/modules/training_content/tips/pathways_2_rw.json
deleted file mode 100644
index e8c1130..0000000
--- a/modules/training_content/tips/pathways_2_rw.json
+++ /dev/null
@@ -1,7579 +0,0 @@
-{
- "title": "Pathways Reading, Writing and Critical Thinking 2",
- "pdf_page_offset": 18,
- "units": [
- {
- "unit": 1,
- "title": "Happiness",
- "pages": [
- {
- "page": 4,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "Read titles and subheads to predict what a passage is about. This will help you know what to expect as you read.",
- "text": "Read titles and subheads to predict what a passage is about. This will help you know what to expect as you read.",
- "html": "
Supporting Idea (another way social networking has helped or harmed us)
Details:
Concluding sentence
Draft
",
- "additional": "
",
- "segments": [
- {
- "html": "
Writing an Opinion Paragraph on Social Networking
Let's work through creating an opinion paragraph about whether online social networking has helped or harmed us. We'll break down the process step-by-step.
Important news and updates can reach a large audience rapidly
It enables the organization of events and movements more efficiently
"
- }
- ]
- },
- {
- "html": "
Step 4: Concluding Sentence
Wrap up your paragraph by restating your opinion:
'In my opinion, these benefits of online social networking have greatly enhanced our ability to connect and stay informed, making it a positive force in our lives.'
In my opinion, these benefits of online social networking have greatly enhanced our ability to connect and stay informed, making it a positive force in our lives.
"
- }
- ]
- },
- {
- "html": "
Step 5: Draft the Complete Paragraph
Now, let's combine all the elements into a cohesive paragraph:
I believe that online social networking has significantly improved our lives in several ways. One way social networking has helped us is by facilitating long-distance connections. People can easily stay in touch with friends and family across the globe, and it allows for sharing of life updates, photos, and experiences in real-time. Another benefit of social networking is its ability to spread information quickly. Important news and updates can reach a large audience rapidly, and it enables the organization of events and movements more efficiently. In my opinion, these benefits of online social networking have greatly enhanced our ability to connect and stay informed, making it a positive force in our lives.
"
- }
- ]
- },
- {
- "html": "
The Value of Opinion Phrases
Using phrases like 'I think...', 'I believe...', and 'In my opinion...' in your topic and concluding sentences is beneficial because:
They clearly signal that you're expressing a personal viewpoint
They set the tone for the entire paragraph
They remind the reader that this is one perspective among many possible views
They create a consistent structure when used in both the opening and closing of the paragraph
By incorporating these phrases, you make your writing more engaging and your opinions more explicit, which is crucial in argumentative or persuasive writing.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 58,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Make inferences about the paragraph.",
- "text": "Make inferences about the paragraph. What can you tell about the writer?",
- "html": "
Make inferences about the paragraph. What can you tell about the writer? Does he or she use the Internet a lot? Do you think this person is generally honest or dishonest?
The paragraphs below are on the topic of online music sharing.
Which is the first draft?
Which is the revision?
",
- "additional": "a
There are many views about online music sharing, but in my opinion, people should pay for music instead of getting it free online. I have gotten free music online in the past, and I didn't really think about whether or not it was fair to the musician. Then I thought about how musicians make money. They earn money by giving concerts and selling CDs. I realized that when I get music free online, I'm stealing from the people who made the music. Musicians work hard to write and perform songs. If people want to enjoy those songs, they should pay for them. We don't expect other kinds of professionals to work for free. For example, we don't expect doctors to treat us for free or teachers to teach for free. If musicians don't get paid for their work, they might not be able to continue making music. They might have to find other work in order to make money. Without musicians, where would we get our music?
b
There have been a lot of disagreements about online music sharing. I have gotten free music online in the past, and I didn't really think about whether or not it was fair to the musician. Then I thought about how musicians make money. They earn money by giving concerts and selling CDs. I realized that when I get music free online, I'm stealing from the people who made the music. That's when I stopped sharing music online. Now I always pay for music. I feel the same way about sharing movies online. Even though movie studios make millions of dollars, I still don't think it's right to get movies for free. Musicians work hard to write and perform songs. If musicians don't get paid for their work, they might not be able to continue making music. They might have to find other work in order to make money.
",
- "segments": [
- {
- "html": "
Analyzing First Draft and Revision
Let's examine two paragraphs about online music sharing to determine which is the first draft and which is the revision. We'll look at the structure, content, and overall coherence of each paragraph.
Use of examples (doctors, teachers) to support the argument
Strong concluding sentence that poses a thought-provoking question
These characteristics suggest that paragraph A is likely the revision.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "There are many views about online music sharing, but in my opinion, people should pay for music instead of getting it free online.",
- "Without musicians, where would we get our music?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Paragraph B Analysis
Now, let's look at paragraph B:
Less clear opening sentence
Similar content to paragraph A, but less organized
Introduces a new topic (movie sharing) that isn't fully developed
Lacks a strong concluding sentence
These characteristics suggest that paragraph B is likely the first draft.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "There have been a lot of disagreements about online music sharing.",
- "I feel the same way about sharing movies online. Even though movie studios make millions of dollars, I still don't think it's right to get movies for free."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Use reduce with nouns: reduce costs, reduce crime, reduce spending, reduce the number of (something), reduce waste; you can also use reduce with adverbs: dramatically reduce, greatly reduce, significantly reduce.
",
- "id": "5a218540-cf72-4f17-adb6-380a4bdcdd8a",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 67,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "In a problem-solution passage, a writer usually describes a problem first and then provides possible solutions.",
- "text": "In a problem-solution passage, a writer usually describes a problem first and then provides possible solutions. As you read, ask yourself: Does the writer provide enough information to show why the problem is real? Is it clear how the solutions match the problem(s)?",
- "html": "
In a problem-solution passage, a writer usually describes a problem first and then provides possible solutions. As you read, ask yourself: Does the writer provide enough information to show why the problem is real? Is it clear how the solutions match the problem(s)?
What is the main problem described in the reading passage below? What possible solutions are there to this problem?
Main Problem
Solutions
1.
2.
3.
Does the writer provide enough supporting information to show that the problem of overfishing is real? If so, how does he or she do this?
How well do the solutions help to address the problem? Has the writer given enough information so the reader can see how they might work?
",
- "additional": "
Where Have All the Fish Gone?
Throughout history, people have thought of the ocean as a diverse and limitless source of food. Yet today there are clear signs that the oceans have a limit. Most of the big fish in our oceans are now gone. One major factor is overfishing. People are taking so many fish from the sea that species cannot replace themselves. How did this problem start? And what is the future for fish?
Source of the Problem
For centuries, local fishermen caught only enough fish for themselves and their communities. However, in the mid-20th century, people around the world became interested in making protein-rich foods, such as fish, cheaper and more available. In response to this, governments gave money and other help to the fishing industry.
As a result, the fishing industry grew. Large commercial fishing1 companies began catching enormous quantities of fish for profit and selling them to worldwide markets. They started using new fishing technologies that were designed to catch more fish. Modern sonar2 to locate fish, and huge nets to catch them, made this easier. Modern technology allowed these companies to catch more fish than local fishermen.
Rise of the Little Fish
In 2003, a scientific report estimated that only 10 percent remained of the large ocean fish populations that existed before commercial fishing began. Specifically, commercial fishing has greatly reduced the number of large predatory fish3, such as cod and tuna. Today, there are plenty of fish in the sea, but they mostly just the little ones. Small fish, such as sardines and anchovies, have more than doubled in number — largely because there are not enough big fish to eat them.
This trend is a problem because ecosystems need predators to be stable. Predators are necessary to weed out the sick and weak individuals. Without this weeding out, or survival of the fittest, ecosystems become less stable. As a result, fish are less able to survive difficulties such as pollution, environmental change, or changes in the food supply.
A Future for Fish?
A study published in 2006 in the journal Science made a prediction: If we continue to overfish the oceans, most of the fish that we catch now—from tuna to sardines—will largely disappear by 2050. However, the researchers say we can prevent this situation if we restore ocean's biodiversity4.
Scientists say there are a few ways we can do this. First, commercial fishing companies can catch fewer fish. This will increase the number of large predatory fish. Another way to improve the biodiversity of the oceans is to develop aquaculture—fish farming. Growing fish on farms may take the pressure off wild-caught fish. This gives species of fish a chance to restore their numbers. Finally, we can make good choices about what we eat. For example, we can avoid eating species of fish that are threatened. If we are careful today, we can still look forward to a diverse and healthy ocean.
",
- "segments": [
- {
- "html": "
Analyzing a Problem-Solution Passage
Let's examine the passage 'Where Have All the Fish Gone?' to identify the main problem and its proposed solutions. We'll also evaluate how well the author presents the problem and solutions.
Overfishing is depleting ocean fish populations, particularly large predatory fish, leading to an imbalance in marine ecosystems.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "Most of the big fish in our oceans are now gone. One major factor is overfishing. People are taking so many fish from the sea that species cannot replace themselves."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "main-idea",
- "position": "replace",
- "html": "
Overfishing is depleting ocean fish populations, particularly large predatory fish, leading to an imbalance in marine ecosystems.
"
- }
- ]
- },
- {
- "html": "
Solutions
The passage proposes three main solutions:
Reduce commercial fishing
Develop aquaculture (fish farming)
Make informed consumer choices about fish consumption
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "First, commercial fishing companies can catch fewer fish.",
- "Another way to improve the biodiversity of the oceans is to develop aquaculture—fish farming.",
- "Finally, we can make good choices about what we eat. For example, we can avoid eating species of fish that are threatened."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "solution-1",
- "position": "replace",
- "html": "Reduce commercial fishing"
- },
- {
- "target": "question",
- "targetId": "solution-2",
- "position": "replace",
- "html": "Develop aquaculture (fish farming)"
- },
- {
- "target": "question",
- "targetId": "solution-3",
- "position": "replace",
- "html": "Make informed consumer choices about fish consumption"
- }
- ]
- },
- {
- "html": "
Problem Presentation
The writer provides substantial information to show that overfishing is a real problem:
Historical context of fishing practices
Scientific data on fish population decline
Explanation of ecosystem imbalance
Prediction of future fish depletion
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "For centuries, local fishermen caught only enough fish for themselves and their communities. However, in the mid-20th century, people around the world became interested in making protein-rich foods, such as fish, cheaper and more available.",
- "In 2003, a scientific report estimated that only 10 percent remained of the large ocean fish populations that existed before commercial fishing began.",
- "This trend is a problem because ecosystems need predators to be stable. Predators are necessary to weed out the sick and weak individuals. Without this weeding out, or survival of the fittest, ecosystems become less stable.",
- "If we continue to overfish the oceans, most of the fish that we catch now—from tuna to sardines—will largely disappear by 2050."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "answer-1",
- "position": "replace",
- "html": "
Yes, the writer provides sufficient information. They use historical context, scientific data, ecosystem explanations, and future predictions to illustrate the severity of overfishing.
The solutions address the problem well, but more information on implementation and potential challenges would strengthen the argument. The writer provides a good overview but could elaborate on how these solutions would work in practice.
"
- }
- ]
- },
- {
- "html": "
The Value of Analyzing Problem-Solution Passages
Analyzing problem-solution passages is beneficial because:
It develops critical thinking skills
It helps evaluate the credibility and thoroughness of arguments
It encourages readers to think about real-world issues and potential solutions
It improves comprehension of complex topics
It aids in identifying gaps in information or logic
By asking questions about the problem's presentation and the effectiveness of proposed solutions, readers can better understand and critically evaluate the information presented in such passages.
mini = very small; minimal, minimum, minimize, miniature, minibus
",
- "id": "7a6588a6-e35f-4f4a-9e2d-e168e23188c8",
- "verified": true,
- "standalone": true
- },
- {
- "category": "Word Partners",
- "embedding": "Use informed and inform.",
- "text": "Use the adjective informed with nouns: informed choice, informed decision. Use the verb inform with nouns: inform parents, inform the police, inform readers, inform someone in writing, inform someone of something.",
- "html": "
Use the adjective informed with nouns: informed choice, informed decision. Use the verb inform with nouns: inform parents, inform the police, inform readers, inform someone in writing, inform someone of something.
",
- "id": "1b011f9a-3a50-43a2-b532-75db7fba001b",
- "verified": true,
- "standalone": true
- }
- ]
- }
- ]
- },
- {
- "unit": 5,
- "title": "Memory and Learning",
- "pages": [
- {
- "page": 84,
- "tips": [
- {
- "category": "Word Link",
- "embedding": "The suffix -ize forms verbs that mean to cause or become something.",
- "text": "The suffix -ize forms verbs that mean to cause or become something, e.g., visualize, memorize, internalize, minimize.",
- "html": "
The suffix -ize forms verbs that mean to cause or become something, e.g., visualize, memorize, internalize, minimize.
",
- "id": "0d263ead-e16a-434e-a04e-d031aef2dbf1",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 88,
- "tips": [
- {
- "category": "Reading Skill",
- "embedding": "Identifying Cause and Effect\n\nA cause is something that makes another event happen. The resulting event is the effect. Recognizing causes and effects can help you better understand a reading passage. You can sometimes identify cause and effect relationships by finding certain connecting or signal words. These include because, so, if, then, therefore, as a result, and by verb + -ing.",
- "text": "Identifying Cause and Effect\n\nA cause is something that makes another event happen. The resulting event is the effect. Recognizing causes and effects can help you better understand a reading passage. Look at the sentence from the reading. Does the underlined portion show a cause or an effect?\nIf you think of a very familiar place, and visualize certain things in that place, you can keep those things in your memory for a long time.\nThe underlined portion shows the effect. Visualizing things within a familiar place is the cause. Keeping memories for a long time is the effect.\n\nYou can sometimes identify cause and effect relationships by finding certain connecting or signal words. These include because, so, if, then, therefore, as a result, and by verb + -ing.\nWe don't have to remember phone numbers now because we can store them on smartphones.\nI enter my email password three times a day, so I remember it easily.\n",
- "html": "
Identifying Cause and Effect
A cause is something that makes another event happen. The resulting event is the effect. Recognizing causes and effects can help you better understand a reading passage. Look at the sentence from the reading. Does the underlined portion show a cause or an effect?
If you think of a very familiar place, and visualize certain things in that place, you can keep those things in your memory for a long time.
The underlined portion shows the effect. Visualizing things within a familiar place is the cause. Keeping memories for a long time is the effect.
You can sometimes identify cause and effect relationships by finding certain connecting or signal words. These include because, so, if, then, therefore, as a result, and by verb + -ing.
We don't have to remember phone numbers now because we can store them on smartphones. I enter my email password three times a day, so I remember it easily.
Read the information about memory techniques. How many cause-effect relationships can you find? Determine the causes and their effects.
",
- "additional": "
Memory Tricks
Techniques for remembering things like lists, numbers, and facts, are called mnemonic devices. For example, people often use things like poems, pictures, or movements because it is easier to remember stories, images, or actions than plain facts and lists.
Acronyms are one type of mnemonic. For example, it may be hard to remember the colors of the rainbow in the order that they appear. Someone therefore made an acronym for this: ROY G BIV. The first letters in the acronym are the first letters in the names for the colors: red, orange, yellow, green, blue, indigo, and violet. The name Roy G. Biv is meaningless, but it's short, so it is easier to remember than the list.
English spelling rules can also be difficult to learn, so some students use rhymes to help them remember the rules. By learning \"i before e except after c\" (where you hear /ee/), students of English remember the spelling of words like niece and receipt.
",
- "segments": [
- {
- "html": "
Identifying Cause and Effect Relationships
Let's analyze the given text to identify cause-effect relationships. We'll go through the passage step by step, looking for connections between events or ideas.
Effect: It is easier to remember stories, images, or actions than plain facts and lists
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "people often use things like poems, pictures, or movements",
- "it is easier to remember stories, images, or actions than plain facts and lists"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
2. Acronyms for Rainbow Colors
The second paragraph discusses using acronyms:
Cause: It's hard to remember the colors of the rainbow in order
Effect: Someone created the acronym ROY G BIV
There's another cause-effect relationship here:
Cause: The name Roy G. Biv is short and meaningless
Effect: It's easier to remember than the full list of colors
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "it may be hard to remember the colors of the rainbow in the order that they appear",
- "Someone therefore made an acronym for this: ROY G BIV",
- "it's short, so it is easier to remember than the list"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
3. Rhymes for Spelling Rules
The final paragraph talks about using rhymes for spelling:
Cause: English spelling rules can be difficult to learn
Effect: Some students use rhymes to help them remember the rules
And another relationship:
Cause: Students learn the rhyme \"i before e except after c\"
Effect: Students remember the spelling of words like niece and receipt
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "English spelling rules can also be difficult to learn",
- "some students use rhymes to help them remember the rules",
- "By learning \"i before e except after c\"",
- "students of English remember the spelling of words like niece and receipt"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Summary of Cause-Effect Relationships
We've identified 5 cause-effect relationships in total:
Use of mnemonic devices leading to easier remembering
Difficulty remembering rainbow colors leading to creation of ROY G BIV
Short, meaningless acronym leading to easier memorization
Difficulty with spelling rules leading to use of rhymes
Learning specific rhyme leading to remembering specific spellings
Recognizing cause and effect relationships helps us understand the logic and structure of a text. It allows us to see how different ideas or events are connected, which can improve our comprehension and critical thinking skills.
In this exercise, identifying these relationships helped us understand:
Use stress with: (n.)effects of stress, work-related stress; (adj.)emotional stress, mental stress, physical stress; (v.)cause stress, cope with stress, deal with stress, experience stress, reduce stress.
",
- "id": "535453f2-96d6-4845-af23-234a3edba570",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 91,
- "tips": [
- {
- "category": "Word Link",
- "embedding": "The prefix trans- means 'moving across or changing from one thing to another'.",
- "text": "The prefix trans- means 'moving across or changing from one thing to another', e.g., transfer, transition, translate, transform.",
- "html": "
The prefix trans- means 'moving across or changing from one thing to another', e.g., transfer, transition, translate, transform.
",
- "id": "99166b16-a227-4abd-9b3c-a7ca0aaa448d",
- "verified": true,
- "standalone": true
- },
- {
- "category": "Strategy",
- "embedding": "Use key words in titles and subheads to help you predict what a passage is about.",
- "text": "Use key words in titles and subheads to help you predict what a passage is about.",
- "html": "
Use key words in titles and subheads to help you predict what a passage is about.
Identify the key words in the titles and the subheads of the reading passages. Use the words to help you complete the sentences.
1. I think the reading passage titled \"Train Your Brain!\" is about how ...
2. I think the reading passage titled \"Sleep and Memory\" is about how ...
",
- "additional": "
Train Your Brain!
Is there anything you can do to have a better memory? Research shows that mental and physical exercise and lifestyle choices can affect memory. In fact, many experts agree it is possible to improve your memory.
Here are some tips:
Avoid stress
Recent research shows that stress is bad for the brain. In fact, one study connects worrying with memory loss. Therefore, if you can avoid stress in your life, you may also improve your memory. Relaxation techniques like yoga are one way to reduce stress.
Play games
Can brainteasers1 like sudoku puzzles improve memory? Some scientists say that mental activity might help memory. Puzzles, math problems, even reading and writing, can probably all benefit the brain.
Get some rest
\"Poor sleep before or after learning makes it hard to encode2 new memories\", says Harvard University scientist Robert Stickgold. One study shows that by getting a good night's sleep, people remember a motor skill (such as piano playing) 30 percent better.
Eat right
Your brain can benefit from a healthy diet, just like the rest of your body. Foods that have antioxidants,3 such as blueberries, are good for brain cells. This helps memory.
Sleep and Memory
Many people think that sleep must be important for learning and memory, but until recently there was no proof. Scientists also believe the hippocampus plays a role in making long-term memories, but they weren't sure how. Now they understand how the process happens—and why sleep is so important.
Memories in Motion
A research team at Rutgers University recently discovered a type of brain activity that happens during sleep. The activity transfers new information from the hippocampus to the neocortex. The neocortex stores long-term memories. The researchers call the transferring activity \"sharp wave ripples\", because the transferring activity looks like powerful, short waves. The brain creates these waves in the hippocampus during the deepest levels of sleep.
The Rutgers scientists discovered the wave activity in a 2009 study using rats. They trained the rats to learn a route in a maze. Then they let the rats sleep after the training session. They gave one group of sleeping rats a drug. The drug stopped the rats' wave activity. As a result, this group of rats had trouble remembering the route. The reason? The new information didn't have a chance to leave the hippocampus and go to the neocortex.
Lifelong Memories
The experiment explains how we create long-term memories. The wave activity transfers short-term memories from the hippocampus to the neocortex. Then the neocortex turns the sharp wave ripples into long-term memories. Researcher György Buzsáki says this is \"why certain events may only take place once in the waking state and yet can be remembered for a lifetime.\"
The Rutgers study is important because it proves the importance of sleep for learning and memory. It also finally explains how the brain makes long-term memories.
",
- "segments": [
- {
- "html": "
Predicting Content from Titles and Subheads
Let's examine the titles and subheads of the given passages to predict their content. We'll focus on identifying key words that give us clues about the main ideas.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Identify the key words in the titles and the subheads"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Passage 1: \"Train Your Brain!\"
Key words in the title and subheads:
Train Your Brain
Avoid stress
Play games
Get some rest
Eat right
These key words suggest that the passage is about different ways to improve brain function and memory.
Based on these key words, we can complete the first sentence:
1. I think the reading passage titled \"Train Your Brain!\" is about how to improve memory and brain function through various lifestyle choices and activities.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "text-1",
- "position": "replace",
- "html": "to improve memory and brain function through various lifestyle choices and activities."
- }
- ]
- },
- {
- "html": "
Passage 2: \"Sleep and Memory\"
Key words in the title and subheads:
Sleep and Memory
Memories in Motion
Lifelong Memories
These key words indicate that the passage explores the relationship between sleep and memory formation, particularly how sleep affects long-term memory.
Based on these key words, we can complete the second sentence:
2. I think the reading passage titled \"Sleep and Memory\" is about how sleep plays a crucial role in forming and consolidating long-term memories.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "text-2",
- "position": "replace",
- "html": "sleep plays a crucial role in forming and consolidating long-term memories."
- }
- ]
- },
- {
- "html": "
The Value of Using Key Words in Titles and Subheads
Identifying key words in titles and subheads is a powerful strategy for predicting and understanding the content of a passage. This approach offers several benefits:
It provides a quick overview of the main topics
It helps focus your attention on important concepts
It allows you to make predictions about the content, engaging your prior knowledge
It improves comprehension by creating a mental framework for the information you're about to read
By using this technique, we were able to quickly grasp the main ideas of both passages without reading the full text. This skill is particularly useful when you need to quickly assess whether a text is relevant to your needs or when you want to prepare your mind for more detailed reading.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 94,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "Use key words in questions, especially nouns and noun phrases, to help you scan for the most relevant parts of a text.",
- "text": "Use key words in questions, especially nouns and noun phrases, to help you scan for the most relevant parts of a text.",
- "html": "
Use key words in questions, especially nouns and noun phrases, to help you scan for the most relevant parts of a text.
Read the passage and then complete the following exercises:
What did you learn from the second reading \"Sleep and Memory\"?
The main idea of \"Sleep and Memory\" is ____________________________
Complete the following sentences about \"Sleep and Memory.\"
A team from Rutgers University found ____________________________.
Sharp wave ripples transfer information from the ____________________________ to the ____________________________.
Some rats had trouble remembering a route because ____________________________.
",
- "additional": "
Sleep and Memory
Many people think that sleep must be important for learning and memory, but until recently there was no proof. Scientists also believe the hippocampus plays a role in making long-term memories, but they weren't sure how. Now they understand how the process happens—and why sleep is so important.
Memories in Motion
A research team at Rutgers University recently discovered a type of brain activity that happens during sleep. The activity transfers new information from the hippocampus to the neocortex. The neocortex stores long-term memories. The researchers call the transferring activity \"sharp wave ripples\", because the transferring activity looks like powerful, short waves. The brain creates these waves in the hippocampus during the deepest levels of sleep.
The Rutgers scientists discovered the wave activity in a 2009 study using rats. They trained the rats to learn a route in a maze. Then they let the rats sleep after the training session. They gave one group of sleeping rats a drug. The drug stopped the rats' wave activity. As a result, this group of rats had trouble remembering the route. The reason? The new information didn't have a chance to leave the hippocampus and go to the neocortex.
Lifelong Memories
The experiment explains how we create long-term memories. The wave activity transfers short-term memories from the hippocampus to the neocortex. Then the neocortex turns the sharp wave ripples into long-term memories. Researcher György Buzsáki says this is \"why certain events may only take place once in the waking state and yet can be remembered for a lifetime.\"
The Rutgers study is important because it proves the importance of sleep for learning and memory. It also finally explains how the brain makes long-term memories.
",
- "segments": [
- {
- "html": "
Understanding 'Sleep and Memory'
Let's analyze the passage 'Sleep and Memory' to answer the questions. We'll focus on key words and phrases to help us locate the relevant information.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "What did you learn from the second reading \"Sleep and Memory\"?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Main Idea
To identify the main idea, let's look for recurring themes throughout the passage:
Sleep's importance for memory and learning
The process of forming long-term memories during sleep
The role of 'sharp wave ripples' in transferring information
Based on these key points, we can conclude that the main idea is:
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "sleep must be important for learning and memory",
- "The activity transfers new information",
- "The experiment explains how we create long-term memories"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "how sleep plays a crucial role in forming long-term memories through a process called 'sharp wave ripples'."
- }
- ]
- },
- {
- "html": "
Rutgers University Research
Let's look for information about the Rutgers University team's discovery:
Relevant information: 'They gave one group of sleeping rats a drug. The drug stopped the rats' wave activity. As a result, this group of rats had trouble remembering the route.'
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "They gave one group of sleeping rats a drug. The drug stopped the rats' wave activity. As a result, this group of rats had trouble remembering the route."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "a drug stopped their sharp wave ripple activity during sleep"
- }
- ]
- },
- {
- "html": "
The Value of Using Key Words
Using key words, especially nouns and noun phrases, to scan for relevant information is an effective strategy because:
It helps you quickly locate specific information in a text
It allows you to focus on the most important concepts
It saves time when answering questions or completing tasks
It improves your comprehension by guiding your attention to crucial details
By using this technique, we were able to efficiently extract the necessary information from the 'Sleep and Memory' passage to answer the questions. This skill is particularly useful when dealing with longer texts or when you need to quickly find specific information.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 95,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Using By + Gerund\n\nUse by with a gerund to say how to do something. By + gerund expresses how to reach a result.",
- "text": "Using By + Gerund\n\nUse by with a gerund to say how to do something. By + gerund forms can appear at the beginning or at the end of a sentence. Use a comma when they appear at the beginning of a sentence.\nYou can improve your memory by getting enough sleep.\nBy getting enough sleep, you can improve your memory.\n\nBy + gerund expresses how to reach a result:\nBy eating right (cause), you can improve your memory. (effect)",
- "html": "
Using By + Gerund
Use by with a gerund to say how to do something. By + gerund forms can appear at the beginning or at the end of a sentence. Use a comma when they appear at the beginning of a sentence.
You can improve your memory by getting enough sleep.By getting enough sleep, you can improve your memory.
By mastering this structure, you can enhance your writing and speaking skills, making your English more natural and expressive. Remember, practice is key to becoming comfortable with using 'by + gerund' in various contexts.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 96,
- "tips": [
- {
- "category": "Writing Skill",
- "embedding": "Using an Outline\n\nUsing an outline helps you to organize your main idea, supporting ideas, and examples and/or details.",
- "text": "Using an Outline\n\nUsing an outline helps you to organize your main idea, supporting ideas, and examples and/or details. The examples might be a list of reasons, or steps in a process. An outline is like a map because it gives you something to follow. For example, you can use an outline to develop your ideas in a descriptive paragraph.\nDon't write complete sentences in an outline, except for your topic sentence.",
- "html": "
Using an Outline
Using an outline helps you to organize your main idea, supporting ideas, and examples and/or details. The examples might be a list of reasons, or steps in a process. An outline is like a map because it gives you something to follow. For example, you can use an outline to develop your ideas in a descriptive paragraph.
Don't write complete sentences in an outline, except for your topic sentence.
Look at the outline below and read the paragraph that follows. Match sentences in the paragraph (a-i) to the parts of the outline. (Two sentences are extra.)
How to Memorize a Route
__ (topic sentence)
memorize as steps __ (supporting idea 1)
write names, directions __ (details)
repeat __ (details)
create mental picture __ (supporting idea 2)
study a map __ (details)
imagine following route __ (details)
",
- "additional": "
When you have to memorize a route, you should use a technique that works well for you. One way is to memorize the directions as a set of steps. To do this, write the street names and directions in the correct order on a piece of paper. If you repeat the steps several times, you won't have to look at the list anymore. You can also memorize a route by creating a mental picture of it. That is, see the streets and the places on the streets in your mind. To do this, study the route as it appears on a map. Then imagine yourself following the route. See the buildings and other places along the route in your mind. There are other ways to learn routes; use the method that works best for you.
",
- "segments": [
- {
- "html": "
Completing the 'How to Memorize a Route' Outline
Let's go through the outline and match it with the appropriate sentences from the paragraph, focusing on how each part contributes to the overall structure of memorizing a route.
The outline begins with a topic sentence that introduces the main idea. Sentence (a) serves this purpose perfectly, emphasizing the importance of choosing a suitable memorization technique.
The first method suggested is memorizing the route as a series of steps. Sentence (b) directly corresponds to this idea, introducing it as one approach to route memorization.
For the step method, two important details are provided. First, sentence (c) explains how to write down the route information. Then, sentence (d) emphasizes the importance of repetition in this method.
For the mental picture method, two key steps are outlined. Sentence (g) suggests studying a map to visualize the route, while sentence (h) encourages imagining yourself following the route, focusing on landmarks and buildings.
By matching these sentences to the outline, we've created a structured guide for memorizing routes. The outline now clearly presents two main methods - step-by-step memorization and mental visualization - along with specific techniques for each method.
",
- "id": "b5fbd194-6148-4e6c-81ea-5b7d59f58966",
- "verified": true,
- "standalone": true
- },
- {
- "category": "Strategy",
- "embedding": "Look for clues in titles, captions, and opening sentences to get a sense of the general topic of a passage. This will help you predict the kind of information you are going to read about.",
- "text": "Look for clues in titles, captions, and opening sentences to get a sense of the general topic of a passage. This will help you predict the kind of information you are going to read about.",
- "html": "
Look for clues in titles, captions, and opening sentences to get a sense of the general topic of a passage. This will help you predict the kind of information you are going to read about.
Skim the reading passage quickly. What do you think the reading is mainly about?
a recent event
a person's job
an unusual place
a serious disease
an endangered animal
",
- "additional": "
The Snake Chaser
As a boy, Zoltan Takacs caught snakes and kept them in his room. Now he hunts them for a living.1
Zoltan Takacs collects snake venom so that he can study it. He wants to find out if the venom can be used as medicine to cure people. Usually, he travels alone with only a backpack, a camera bag, and equipment for collecting the venom. He often flies small planes to reach faraway places, and has traveled to 134 countries. His trips are often dangerous; he has encountered pirates,2 wars, and angry elephants. He has also survived six venomous snake bites. Takacs's adventures are like action movies, but his goal is pure science: \"Animal venoms\", Takacs explains, \"are the source of over a dozen medications.\"3
Why do toxins make good medications?
Many drugs produce side effects. These side effects happen because the drugs affect more than one target. For example, most cancer drugs can't tell the difference between cancer cells and healthy cells. So the drugs kill cancer cells, but they also kill other healthy cells in the body. Toxins are a good model for medications because they can hit a single target. But finding the right toxin to fight a specific disease can take years of work. That's why Takacs and his colleagues have developed a new technology. It allows the creation of \"toxin libraries.\"
How does the technology work?
The new toxin libraries help researchers identify which toxin might cure a specific disease. With the new technology, testing can happen much more quickly and efficiently than before. A researcher can test many different toxins at once to see if any of them have an effect on a specific disease. Takacs thinks the technology will help researchers develop new toxin-based drugs for a lot of different diseases. But Takacs is also worried that a lot of possible toxin-based drugs are being lost.
Why are we losing potential drugs?
According to Takacs, \"Scientists have studied fewer than a thousand animal toxins... But some 20 million more exist.\" Some of these animal toxins come from endangered species. So every time an animal becomes extinct, it's possible that a new drug is lost, too. For example, the venom of an endangered snake could potentially lead to a medicine that saves human lives.
Takacs explains, \"Once we've allowed something to become extinct … there's no way back … For me, losing biodiversity means losing beauty, … knowledge, and resources, including possibilities for treating diseases.\" Losing species, he says, is \"like peeling4 out pages from a book we've never read, then burning them.\"
Why do snakes not poison themselves?
A snake's venom aims only at a specific part of the body. However, if contact with the target is blocked, the toxin has no effect. For example, when researchers inject5 a cobra with its own venom, nothing happens. This is because cobras have a molecule6 that blocks the toxin from making contact with its target.
",
- "segments": [
- {
- "html": "
Skimming the Passage: Identifying the Main Topic
Let's approach this exercise by quickly examining key elements of the passage to determine its main focus.
'As a boy, Zoltan Takacs caught snakes and kept them in his room.'
'Now he hunts them for a living.'
These sentences confirm that the passage is about a person's unusual job involving snakes.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "As a boy, Zoltan Takacs caught snakes and kept them in his room. Now he hunts them for a living."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
3. Subheadings
Skimming through the subheadings, we see:
'Why do toxins make good medications?'
'How does the technology work?'
'Why are we losing potential drugs?'
'Why do snakes not poison themselves?'
These subheadings indicate that the passage explores various aspects of snake venom and its potential medical applications, all related to the snake chaser's work.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "Why do toxins make good medications?",
- "How does the technology work?",
- "Why are we losing potential drugs?",
- "Why do snakes not poison themselves?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Conclusion
Based on our quick skim of the title, opening sentences, and subheadings, we can conclude that the passage is mainly about:
b. a person's job
Specifically, it's about Zoltan Takacs' unique profession as a 'snake chaser' and how his work with snake venom relates to medical research.
This exercise demonstrates the importance of efficient reading strategies:
Titles often provide a clear indication of the main topic
Opening sentences frequently introduce the central theme or subject
Subheadings offer a quick overview of the key points covered
By focusing on these elements, we can quickly grasp the main idea of a passage without reading every word, saving time and improving comprehension.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 107,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Figurative language allows a writer to compare one thing to another. When you read, it's important to understand how the two things being compared are similar.",
- "text": "Figurative language allows a writer to compare one thing to another. When you read, it's important to understand how the two things being compared are similar.",
- "html": "
Figurative language allows a writer to compare one thing to another. When you read, it's important to understand how the two things being compared are similar.
What is the writer's or speaker's meaning in each sentence? Choose a or b.
Takacs's adventures are like action movies.
Takacs's life is similar to the life of a famous movie actor.
Takacs's job is sometimes like the events in a movie.
Takacs and his colleagues have developed a new technology. It allows the creation of \"toxin libraries\".
In a toxin library, toxins are arranged in order on shelves, like books in a library.
In a toxin library, a lot of information is stored in a way that's easy to search.
\"Biodiversity loss is like peeling out pages from a book we've never read, then burning them.\"
Biodiversity loss can be very dangerous, as it often results from burning large areas of forest.
Biodiversity loss is a problem because we lose species before we understand them.
",
- "segments": [
- {
- "html": "
Understanding Figurative Language in Context
Let's analyze each sentence to understand the writer's intended meaning through the use of figurative language.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "What is the writer's or speaker's meaning in each sentence?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
1. \"Takacs's adventures are like action movies.\"
This comparison suggests that Takacs's experiences in his job share similarities with exciting events typically seen in action movies.Let's consider the options:
Option a suggests Takacs lives like a movie actor, which isn't the point of the comparison.
Option b correctly interprets that Takacs's job involves events similar to those in action movies - likely dangerous, exciting, or unusual situations.
The correct answer is b. Takacs's job is sometimes like the events in a movie.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Takacs's adventures are like action movies.",
- "Takacs's job is sometimes like the events in a movie."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
2. \"Toxin libraries\"
This phrase uses the concept of a library as a metaphor. Let's examine the options:
Option a takes the metaphor too literally, suggesting physical arrangement like books.
Option b captures the essence of a library - organized information that's easy to access and search.
The correct answer is b. In a toxin library, a lot of information is stored in a way that's easy to search.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "It allows the creation of \"toxin libraries\".",
- "In a toxin library, a lot of information is stored in a way that's easy to search."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
3. \"Biodiversity loss is like peeling out pages from a book we've never read, then burning them.\"
This vivid metaphor compares biodiversity loss to destroying unread book pages. Let's analyze the options:
Option a misinterprets the metaphor, focusing on literal burning of forests.
Option b correctly captures the metaphor's meaning - losing species before we can study and understand them.
The correct answer is b. Biodiversity loss is a problem because we lose species before we understand them.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Biodiversity loss is like peeling out pages from a book we've never read, then burning them.",
- "Biodiversity loss is a problem because we lose species before we understand them."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
The Power of Figurative Language
These examples demonstrate how figurative language enhances writing by:
Creating vivid imagery that helps readers visualize complex ideas
Drawing parallels between familiar concepts and new information
Conveying emotions and emphasizing the importance of certain ideas
By recognizing and interpreting figurative language, readers can gain a deeper understanding of the writer's message and engage more fully with the text.
",
- "wordDelay": 200,
- "holdDelay": 12000,
- "highlight": [
- {
- "targets": [
- "tip"
- ],
- "phrases": [
- "Figurative language allows a writer to compare one thing to another.",
- "understand how the two things being compared are similar"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 108,
- "tips": [
- {
- "category": "Reading Skill",
- "embedding": "Identifying Pros and Cons\n\nPros are advantages (positive effects) of something, and cons are disadvantages (negative effects) of something.",
- "text": "Identifying Pros and Cons\n\nPros are advantages (positive effects) of something, and cons are disadvantages (negative effects) of something. Writers often provide the pros and cons of an issue in order to make a more balanced argument. Identifying the pros and cons of an issue will help you evaluate the strength of a writer's arguments. It will also help you decide your own opinion on the issue.\n\nLook at the facts below. Is each fact a pro or a con for studying snake venom?\nIt can be very dangerous.\nA snake's venom might be used to cure a serious disease.\nSnake venom is a good model for medications.\n\nThe first fact is a con (a disadvantage of studying snake venom), and the other two are pros.",
- "html": "
Identifying Pros and Cons
Pros are advantages (positive effects) of something, and cons are disadvantages (negative effects) of something. Writers often provide the pros and cons of an issue in order to make a more balanced argument. Identifying the pros and cons of an issue will help you evaluate the strength of a writer's arguments. It will also help you decide your own opinion on the issue.
Look at the facts below. Is each fact a pro or a con for studying snake venom?
It can be very dangerous. A snake's venom might be used to cure a serious disease. Snake venom is a good model for medications.
The first fact is a con (a disadvantage of studying snake venom), and the other two are pros.
Read the passage about the study of viruses. Then take notes in the table.
Pros of Studying Extinct Viruses
Cons of Studying Extinct Viruses
",
- "additional": "
Should Dead Viruses Be Given New Life?
Scientists called virologists study viruses1 to discover how they work and how to stop people from getting them. Of course, working with viruses is very dangerous. Some viruses can infect large numbers of people very quickly. Other viruses, such as HIV, still have no widely available vaccine2 or cure. In the past few years, some virologists have begun studying extinct viruses — ones that died out long ago. They discovered that all humans have pieces of very old viruses in their bodies. Some of these viruses are hundreds of thousands of years old. The virologists were able to rebuild some of the viruses and bring them back to life.
Although some people think that rebuilding viruses is potentially very dangerous, the virologists argue that studying these extinct viruses can teach us more about how viruses cause disease. They also believe that these viruses can tell us a lot about how our human species developed in the past. In addition, the scientists can develop vaccines for these diseases in case they reappear one day and begin infecting people again.
",
- "segments": [
- {
- "html": "
Analyzing Pros and Cons of Studying Extinct Viruses
Let's examine the passage to identify the advantages (pros) and disadvantages (cons) of studying extinct viruses.
Let's identify the advantages mentioned in the passage:
Can teach us more about how viruses cause disease
Can provide information about human species development
Allows for development of vaccines against potential reappearance
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "studying these extinct viruses can teach us more about how viruses cause disease",
- "these viruses can tell us a lot about how our human species developed in the past",
- "scientists can develop vaccines for these diseases in case they reappear one day"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "
Learn about disease mechanisms
Understand human evolution
Develop preventive vaccines
"
- }
- ]
- },
- {
- "html": "
Cons of Studying Extinct Viruses
Now, let's identify the disadvantages or potential risks:
Potentially very dangerous
Risk of viruses infecting large numbers of people quickly
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "rebuilding viruses is potentially very dangerous",
- "Some viruses can infect large numbers of people very quickly"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "
Potentially dangerous
Risk of rapid infection spread
"
- }
- ]
- },
- {
- "html": "
Balancing Pros and Cons
By identifying both pros and cons, we can see that:
The study of extinct viruses offers significant potential benefits for scientific knowledge and public health
However, it also carries serious risks that need to be carefully considered
This balanced view helps us understand the complexity of the issue and why it might be controversial
Use relief with: (n.)pain relief, sense of relief; (v.)express relief, feel relief, bring relief, get relief (from), provide relief (for).
",
- "id": "2fb41a74-409f-47c1-85db-b1cbd0bbf7b5",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 114,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Writers often use as if when they make a figurative comparison.",
- "text": "Writers often use as if when they make a figurative comparison. For example: He acted as if he was a king.",
- "html": "
Writers often use as if when they make a figurative comparison. For example: He acted as if he was a king.
What does the word it refer to in each sentence (1-4) from the reading passage? Use information in the reading to match items a-f with the sentences. Two items are extra.
a headache
Botox
botulinum
Fleisher's career
Fleisher's hand
the feeling
'It was as if my hand had been taken over by aliens.'
'It was not under my control.'
'One gram of it could kill 20 million people.'
'It's used to make skin look younger...'
",
- "additional": "
Poison and the Piano Player
In the 1950s and '60s, Leon Fleisher was one of the world's greatest piano players. But one day in 1964, his career suddenly ended. While he was practicing, he started to lose control of the fourth and fifth fingers on his right hand. \"Wow\", he thought, \"I'd better practice harder\". But his problem got worse.
Fleisher saw several different doctors. He had injections and medications and other treatments, but nothing worked. \"It was as if my hand had been taken over by aliens\", he says. \"It was not under my control.\" His career was finished.
Finally, after more than 30 years, Fleisher found out what was wrong. He had focal dystonia, a disease that makes muscles move in strange, and sometimes painful, ways. At last, relief seemed possible. He went to the U.S. National Institutes of Health, where researchers were testing botulinum toxin as a cure for the disease.
Botulinum toxin is one of the most poisonous toxins in the world: One gram of it could kill 20 million people. But scientists have used it to create the drug Botox. This drug is now safely used in small doses to treat many different problems. It's used to make skin look younger, to stop headaches, and even to cure some serious diseases.
The botulinum toxin cured Fleisher, and he got his career back. He began performing again, and he made his first recording in 40 years. Recently, he received a Kennedy Center Award, which is given for important contributions to the arts in America.
",
- "segments": [
- {
- "html": "
Analyzing the Exercise
This exercise requires us to identify what the word 'it' refers to in four sentences from the reading passage. We need to carefully consider the context and match each sentence with the correct option (a-f). Let's examine each sentence:
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "What does the word it refer to in each sentence (1-4) from the reading passage?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Sentence 1
'It was as if my hand had been taken over by aliens.'
Context: Fleisher is describing the loss of control in his hand.
Analysis: 'It' refers to the feeling or situation with his hand.
Correct answer: f. the feeling
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "question",
- "additional"
- ],
- "phrases": [
- "It was as if my hand had been taken over by aliens"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "f"
- }
- ]
- },
- {
- "html": "
Sentence 2
'It was not under my control.'
Context: This sentence directly follows the previous one, still describing Fleisher's hand.
Analysis: Here, 'it' clearly refers to Fleisher's hand itself.
The tip about using 'as if' in figurative comparisons is particularly relevant to the first sentence:
'It was as if my hand had been taken over by aliens' uses 'as if' to create a vivid comparison.
This figurative language helps readers understand the strange feeling Fleisher experienced.
The use of 'as if' indicates that 'it' refers to the feeling or situation, not the hand itself.
This understanding helps us differentiate between sentences 1 and 2, where 'it' refers to different things despite being about the same topic.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 115,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Making Concessions\n\nMaking a concession is saying that one idea is true, but another idea is stronger or more important, according to the writer. In other words, it is more persuasive. Use although, though, and even though to make concessions.",
- "text": "Making Concessions\n\nMaking a concession is saying that one idea is true, but another idea is stronger or more important, according to the writer. In other words, it is more persuasive. Use although, though, and even though to make concessions:\nAlthough botulinum toxin can be deadly, it can also cure several serious diseases.\nEven though botulinum toxin can cure several diseases, it can be deadly.\n\nIn each sentence, the idea in the second clause is emphasized - the writer feels it is stronger and more important.\n\nIn the first sentence, the writer concedes that botulinum toxin is dangerous. However, the writer believes its ability to cure diseases is more important. (In other words, scientists should continue to work with it). In the second sentence, the writer concedes that botulinum toxin can cure diseases. However, the writer believes that the fact that it is dangerous is more important. (Scientists should stop working with it)",
- "html": "
Making Concessions
Making a concession is saying that one idea is true, but another idea is stronger or more important, according to the writer. In other words, it is more persuasive. Use although, though, and even though to make concessions:
Although botulinum toxin can be deadly, it can also cure several serious diseases. Even though botulinum toxin can cure several diseases, it can be deadly.
In each sentence, the idea in the second clause is emphasized - the writer feels it is stronger and more important.
In the first sentence, the writer concedes that botulinum toxin is dangerous. However, the writer believes its ability to cure diseases is more important. (In other words, scientists should continue to work with it). In the second sentence, the writer concedes that botulinum toxin can cure diseases. However, the writer believes that the fact that it is dangerous is more important. (Scientists should stop working with it)
Use although, even though, and though to connect the ideas below (1-3).
more important: Arsenic is still used to treat leukemia. less important: Just a small amount of arsenic can be deadly.
less important: Snake venom is dangerous to humans. more important: Snake venom is used in a lot of important medications.
more important: Studying extinct viruses might bring back deadly diseases. less important: Studying extinct viruses can tell us about the human species.
",
- "segments": [
- {
- "html": "
Let's approach this exercise step by step:
We need to create sentences using 'although', 'even though', or 'though' to connect the given ideas. Remember, the structure we're aiming for is:
Although/Even though/Though [less important idea], [more important idea].
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Use although, even though, and though to connect the ideas below"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
1. Arsenic and Leukemia Treatment
More important: Arsenic is still used to treat leukemia.
Less important: Just a small amount of arsenic can be deadly.
Connected sentence:
Although just a small amount of arsenic can be deadly, it is still used to treat leukemia.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "more important: Arsenic is still used to treat leukemia.",
- "less important: Just a small amount of arsenic can be deadly."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Although just a small amount of arsenic can be deadly, it is still used to treat leukemia."
- }
- ]
- },
- {
- "html": "
2. Snake Venom in Medicine
Less important: Snake venom is dangerous to humans.
More important: Snake venom is used in a lot of important medications.
Connected sentence:
Even though snake venom is dangerous to humans, it is used in a lot of important medications.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "less important: Snake venom is dangerous to humans.",
- "more important: Snake venom is used in a lot of important medications."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "Even though snake venom is dangerous to humans, it is used in a lot of important medications."
- }
- ]
- },
- {
- "html": "
3. Studying Extinct Viruses
More important: Studying extinct viruses might bring back deadly diseases.
Less important: Studying extinct viruses can tell us about the human species.
Connected sentence:
Though studying extinct viruses can tell us about the human species, it might bring back deadly diseases.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "more important: Studying extinct viruses might bring back deadly diseases.",
- "less important: Studying extinct viruses can tell us about the human species."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "Though studying extinct viruses can tell us about the human species, it might bring back deadly diseases."
- }
- ]
- },
- {
- "html": "
Reflecting on the Exercise
In this exercise, we practiced creating concessions using 'although', 'even though', and 'though'. These connectors help us acknowledge one point while emphasizing another that we consider more significant.
Making concessions in writing is a valuable skill because it:
Shows you've considered multiple perspectives
Strengthens your argument by addressing potential counterpoints
Demonstrates a nuanced understanding of complex issues
Makes your writing more persuasive and balanced
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "Making a concession is saying that one idea is true, but another idea is stronger or more important"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
The tip provided at the beginning of this exercise is particularly beneficial because it:
Clarifies the purpose of concessions in writing
Provides clear examples of how to structure concessions
Explains how the order of clauses affects the emphasis of ideas
Helps writers create more sophisticated and persuasive arguments
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "Use although, though, and even though to make concessions"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
By practicing this technique, you'll be able to present more balanced and thoughtful arguments in your writing, acknowledging different viewpoints while still emphasizing your main points effectively.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 116,
- "tips": [
- {
- "category": "Writing Skill",
- "embedding": "Writing a Persuasive Paragraph\n\nIn a persuasive paragraph, you try to convince the reader that something is true. First, you state the issue. Then you state your argument. Finally, you explain the reasons why you think your argument is valid or true.",
- "text": "Writing a Persuasive Paragraph\n\nIn a persuasive paragraph, you try to convince the reader that something is true. First, you state the issue. Then you state your argument. Finally, you explain the reasons why you think your argument is valid or true.\n\nMaking concessions in a persuasive paragraph can help strengthen your argument. It shows the reader that you have thought about the different arguments, but you believe that your argument is the strongest and most important.",
- "html": "
Writing a Persuasive Paragraph
In a persuasive paragraph, you try to convince the reader that something is true. First, you state the issue. Then you state your argument. Finally, you explain the reasons why you think your argument is valid or true.
Making concessions in a persuasive paragraph can help strengthen your argument. It shows the reader that you have thought about the different arguments, but you believe that your argument is the strongest and most important.
Read the paragraph about animal testing. Identify the two sentences that make a concession.
Many cosmetic and drug companies test their products on animals to make sure that they are safe. However, this kind of testing is cruel and unnecessary. Although people who support animal testing say that animals are not harmed during tests, animals usually have to live in small cages in laboratories. In addition, animals are often badly injured during testing, and some are even killed. Even though drug companies need to make their products safe for people, their products don't always have the same effect on animals and humans. So it's possible that these tests don't show how products might affect humans. In fact, according to the Food and Drug Administration, over 90 percent of drugs that are used in testing are safe for animals, but are not safe for humans. Since animal testing harms animals and may not help humans, researchers should stop testing products on animals.
",
- "segments": [
- {
- "html": "
Step 1: Understand the task
We need to identify two sentences in the given paragraph that make a concession. A concession acknowledges an opposing viewpoint before presenting a counter-argument.
Let's break down the paragraph and look for sentences that acknowledge the opposing view (pro-animal testing) before presenting the main argument (against animal testing).
After careful analysis, we can identify two sentences that make concessions:
\"Although people who support animal testing say that animals are not harmed during tests, animals usually have to live in small cages in laboratories.\"
\"Even though drug companies need to make their products safe for people, their products don't always have the same effect on animals and humans.\"
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "Although people who support animal testing say that animals are not harmed during tests",
- "Even though drug companies need to make their products safe for people"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Step 4: Explain the concessions
Both sentences start by acknowledging a point made by those who support animal testing, but then counter with an argument against it:
The first concession acknowledges that supporters claim animals aren't harmed, but then argues that they still suffer poor living conditions.
The second concession recognizes the need for safety testing, but then points out that animal tests may not accurately predict effects on humans.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment"
- ],
- "phrases": [
- "acknowledging a point made by those who support animal testing",
- "then counter with an argument against it"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Step 5: Understand the importance of concessions
Using concessions in a persuasive paragraph is a powerful technique. It shows that the writer has considered multiple perspectives and strengthens their argument by addressing potential counterpoints.
By identifying and understanding these concessions, we can see how the author builds a stronger argument against animal testing. This technique demonstrates a balanced approach to the topic while still maintaining a clear stance.
Use occur with (n.): accidents occur, changes occur, events occur; (adv.): frequently occur, naturally occur, normally occur, often occur.
",
- "id": "60239035-4aca-4092-bfc4-340a1d851604",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 127,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Writers often quote or paraphrase (restate) the ideas of experts to support information in an article. They may introduce these sources with According to ... or [the expert] thinks/says ...",
- "text": "Writers often quote or paraphrase (restate) the ideas of experts to support information in an article. They may introduce these sources with According to ... or [the expert] thinks/says ...",
- "html": "
Writers often quote or paraphrase (restate) the ideas of experts to support information in an article. They may introduce these sources with According to ... or [the expert] thinks/says ...
Find the following quote and paraphrase in \"When Tornadoes Strike\". Note the paragraphs where you find each one. Then answer the questions.
Quote: \"There were no limitations\", said tornado expert Tim Samaras. \"It went absolutely crazy. It had nothing but hundreds of miles to grow and develop\".
Paragraph:
Paraphrase: Other people, such as Russell Schneider, director of the U.S. Storm Prediction Center, think it's because of a weather pattern called \"La Niña\".
Paragraph:
Why did the writer quote Samaras? (What idea does it support?) Why did the writer paraphrase Schneider? (What idea does it support?)
How does the writer describe Samaras and Schneider? For which source do you have more specific information?
",
- "additional": "
When Tornadoes Strike
The tornado that hit Joplin, Missouri, on April 26 2011, threw cars into the air as if they were toys. It pulled buildings apart and even broke up pavement1 — something that only the strongest twisters can do. The Joplin tornado was strong, but it was just one of an amazing number of powerful twisters to strike the United States recently.
A huge number of intense tornadoes hit several regions of the southern United States in 2011. In fact, more violent tornadoes struck the United States in April 2011 than in any other month on record.2 In just two days, from April 26 to April 27, there were more than 100 separate twisters. The tornadoes moved through six states and killed at least 283 people.
The \"Perfect Storm\"
From April 26 to April 27, \"perfect storm\" conditions gave birth to a monster twister in Tuscaloosa, Alabama. \"Perfect storm\" conditions occur when warm, wet air rises and collides with cold, dry air at high altitudes.3
The Tuscaloosa tornado was 1.0 mile (1.6 kilometers) wide, with winds over 260 mph (400 kph). It stayed on the ground for an unusually long time. Tornadoes usually touch the ground for only a few miles before they die. But experts think the Tuscaloosa tornado stayed on the ground and traveled 300 miles (480 kilometers) across a region extending from Alabama to Georgia. \"There were no limitations,\" said tornado expert Tim Samaras. \"It went absolutely crazy. It had nothing but hundreds of miles to grow and develop.\"
Strong, But Not Surprising?
What caused the violent tornadoes in 2011? Experts disagree. Some think warmer-than-normal water temperatures in the Gulf of Mexico were the cause. Other people, such as Russell Schneider, director of the U.S. Storm Prediction Center, think it's because of a weather pattern called \"La Niña.\"4 La Niña can affect the climate in the United States. It makes air drier or wetter and causes temperatures to rise and fall. Some experts, such as Samaras, think we simply don't have enough data to decide.
Because their cause is unclear, scientists around the world continue to study tornadoes. One day their research will help us to better understand the conditions that cause tornadoes to form. Eventually, we may even be able to predict how strong they will be and where they will hit.
",
- "segments": [
- {
- "html": "
Step 1: Locating the Quote and Paraphrase
Let's start by finding the requested quote and paraphrase in the 'When Tornadoes Strike' article:
The quote by Tim Samaras is in paragraph 4, under 'The \"Perfect Storm\"' section.
The paraphrase about Russell Schneider is in paragraph 5, under 'Strong, But Not Surprising?' section.
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "There were no limitations,\" said tornado expert Tim Samaras. \"It went absolutely crazy. It had nothing but hundreds of miles to grow and develop.",
- "Other people, such as Russell Schneider, director of the U.S. Storm Prediction Center, think it's because of a weather pattern called \"La Niña.\""
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "4"
- },
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "5"
- }
- ]
- },
- {
- "html": "
Step 2: Analyzing the Quote (Tim Samaras)
The writer quoted Samaras to:
Support the idea that the Tuscaloosa tornado was exceptionally large and long-lasting
Provide a vivid description of the tornado's unusual behavior
Add credibility to the information by including an expert's perspective
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "It went absolutely crazy. It had nothing but hundreds of miles to grow and develop."
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Step 3: Analyzing the Paraphrase (Russell Schneider)
The writer paraphrased Schneider to:
Present a possible explanation for the violent tornadoes in 2011
Introduce the concept of La Niña and its potential impact on tornado formation
Show that experts have different theories about the cause of these tornadoes
Step 5: Understanding the Use of Quotes and Paraphrases
The writer employs quotes and paraphrases to:
Add credibility to the article by including expert opinions
Provide different perspectives on the causes of the tornadoes
Make the article more engaging by including direct speech and varied viewpoints
Support the main ideas presented in the article with authoritative sources
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "Writers often quote or paraphrase (restate) the ideas of experts to support information in an article"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Conclusion
By using quotes and paraphrases, the writer effectively supports their points with expert opinions, adding depth and credibility to the article. This technique demonstrates how writers can introduce sources using phrases like 'said tornado expert' or 'think it's because of', which helps to smoothly integrate expert opinions into the text. These methods not only provide valuable information but also make the article more engaging and authoritative.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "They may introduce these sources with According to ... or [the expert] thinks/says ..."
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 128,
- "tips": [
- {
- "category": "Reading Skill",
- "embedding": "Identifying Sequence\n\nWhen writers describe processes - how things happen - they use transition words and phrases to show the order, or sequence, of the steps or events in the process. Transition words that indicate sequence include first, next, then, second, and finally. Time clauses with before, after, when, as soon as, once, and during also show order.",
- "text": "Identifying Sequence\n\nWhen writers describe processes - how things happen - they use transition words and phrases to show the order, or sequence, of the steps or events in the process. Look at these sentences:\nFirst, warm air and cold air collide and form a tube of rotating air.\nNext, the rotating air turns to become a vertical column.\n\nThe words first and next tell you that warm and cold air collide and form a tube before the rotating air becomes a vertical column.\n\nOther transition words that indicate sequence include then, second, and finally. Time clauses with before, after, when, as soon as, once, and during also show order.\nBefore you go out, check the weather report.\nAfter the storm passes, it's safe to go outside.\nOnce the storm hits, go inside.\n\nNote: When, as soon as, and once describe an event that happens just before another event. During shows a period of time in which an event occurs.\nKeep windows closed during the storm.\nAs soon as the storm stops, it's safe to go outside.",
- "html": "
Identifying Sequence
When writers describe processes - how things happen - they use transition words and phrases to show the order, or sequence, of the steps or events in the process. Look at these sentences:
First, warm air and cold air collide and form a tube of rotating air. Next, the rotating air turns to become a vertical column.
The words first and next tell you that warm and cold air collide and form a tube before the rotating air becomes a vertical column.
Other transition words that indicate sequence include then, second, and finally. Time clauses with before, after, when, as soon as, once, and during also show order.
Before you go out, check the weather report. After the storm passes, it's safe to go outside. Once the storm hits, go inside.
Note: When, as soon as, and once describe an event that happens just before another event. During shows a period of time in which an event occurs.
Keep windows closed during the storm. As soon as the storm stops, it's safe to go outside.
If you live in a tornado region, it's important to know what to do when tornadoes strike. Follow these steps for what to do before, during, and after a tornado strikes, and you will have the best chance to stay safe.
First, always pay attention to weather reports during tornado season. In addition, keep your eye on the sky. Watch for dark, greenish-colored clouds, and clouds that are close to the ground. This may mean that a tornado is coming. As soon as you know a tornado is about to hit, find shelter immediately if you are outdoors. If you are indoors, go to the lowest level you can, for example, to a basement. Once the tornado hits, stay inside for the entire time.
During a tornado, stay away from windows, as tornadoes can cause them to break. When the storm is over, make sure family members are safe. Check your home and the area around it for damage. Finally, contact disaster relief organizations such as the American Red Cross for help with cleanup and other assistance, such as food and shelter.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to identify the actions to take before, during, and after a tornado based on the given text. This exercise helps us practice recognizing sequence in written instructions.
Identify actions before a tornado
Determine steps during a tornado
List actions after a tornado has passed
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "before a tornado",
- "during a tornado",
- "when a tornado is over",
- "after a tornado has passed"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Before a Tornado
The text mentions several actions to take before a tornado strikes:
Pay attention to weather reports during tornado season
Keep an eye on the sky for signs of a tornado
Watch for dark, greenish-colored clouds and clouds close to the ground
Find shelter immediately if you're outdoors
Go to the lowest level possible if you're indoors
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "First, always pay attention to weather reports during tornado season",
- "Watch for dark, greenish-colored clouds, and clouds that are close to the ground",
- "As soon as you know a tornado is about to hit, find shelter immediately if you are outdoors",
- "If you are indoors, go to the lowest level you can, for example, to a basement"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Pay attention to weather reports and watch the sky for signs of a tornado"
- }
- ]
- },
- {
- "html": "
During a Tornado
The text provides clear instructions for what to do during a tornado:
Stay inside for the entire time
Stay away from windows to avoid injury from breaking glass
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "Once the tornado hits, stay inside for the entire time",
- "During a tornado, stay away from windows, as tornadoes can cause them to break"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "Stay inside and away from windows"
- }
- ]
- },
- {
- "html": "
After a Tornado
The text outlines several steps to take after a tornado has passed:
Ensure family members are safe
Check your home and surrounding area for damage
Contact disaster relief organizations for help with cleanup and assistance
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "When the storm is over, make sure family members are safe",
- "Check your home and the area around it for damage",
- "Finally, contact disaster relief organizations such as the American Red Cross for help with cleanup and other assistance"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "Check for safety, assess damage, and contact disaster relief organizations"
- }
- ]
- },
- {
- "html": "
Recognizing Sequence
The text uses several sequence indicators to show the order of actions:
'First' indicates the initial step of paying attention to weather reports
'As soon as' shows immediacy in finding shelter
'Once' marks the beginning of the tornado
'During' specifies actions while the tornado is active
'When' and 'Finally' indicate steps after the tornado has passed
Recognizing sequence in instructions is crucial because:
It helps readers understand the correct order of actions
It ensures safety by following steps in the proper sequence
It makes complex processes easier to follow and remember
It allows for better preparation and response in emergency situations
By paying attention to sequence indicators, we can better understand and follow important safety instructions like those for tornado preparedness.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Other transition words that indicate sequence include then, second, and finally",
- "Time clauses with before, after, when, as soon as, once, and during also show order"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- },
- {
- "category": "CT Focus",
- "embedding": "One way to evaluate online sources is to look at the suffix in the Web address.",
- "text": "One way to evaluate online sources is to look at the suffix in the Web address (e.g., .com = company; .edu = educational institution (school or college); .gov = government). The suffix may help you judge a source's reliability.",
- "html": "
One way to evaluate online sources is to look at the suffix in the Web address (e.g., .com = company; .edu = educational institution (school or college); .gov = government). The suffix may help you judge a source's reliability.
Is this a reliable source of information on tornadoes?
Why, or why not?
",
- "additional": "
What to Do When a Tornado Strikes
If you live in a tornado region, it's important to know what to do when tornadoes strike. Follow these steps for what to do before, during, and after a tornado strikes, and you will have the best chance to stay safe.
First, always pay attention to weather reports during tornado season. In addition, keep your eye on the sky. Watch for dark, greenish-colored clouds, and clouds that are close to the ground. This may mean that a tornado is coming. As soon as you know a tornado is about to hit, find shelter immediately if you are outdoors. If you are indoors, go to the lowest level you can, for example, to a basement. Once the tornado hits, stay inside for the entire time.
During a tornado, stay away from windows, as tornadoes can cause them to break. When the storm is over, make sure family members are safe. Check your home and the area around it for damage. Finally, contact disaster relief organizations such as the American Red Cross for help with cleanup and other assistance, such as food and shelter.
Source: http://www.fema.gov
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to evaluate the reliability of the given information about tornado safety. To do this, we'll:
Identify the source of the information
Determine if it's a reliable source for tornado information
Explain our reasoning for the reliability assessment
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "What is the source of the paragraph?",
- "Is this a reliable source of information on tornadoes?",
- "Why, or why not?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Step 1: Identifying the Source
At the end of the provided text, we can see the source clearly stated:
Source: http://www.fema.gov
FEMA stands for the Federal Emergency Management Agency, which is a part of the U.S. government.
This source is reliable for tornado information because:
It's a .gov website, indicating it's an official U.S. government source
FEMA is specifically responsible for disaster preparedness and response
As a government agency, FEMA has access to expert knowledge and resources
The information provided aligns with general safety guidelines for tornado situations
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "to evaluate online sources",
- "look at the suffix in the Web address"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "It's a .gov website (U.S. government), and FEMA is responsible for disaster preparedness and response"
- }
- ]
- },
- {
- "html": "
The Importance of Source Evaluation
Evaluating online sources is crucial because:
It helps ensure the information you're reading is accurate and trustworthy
It allows you to distinguish between expert advice and potentially misleading information
In emergency situations like tornadoes, reliable information can be life-saving
It promotes critical thinking and information literacy skills
By considering factors like website suffixes (.com, .edu, .gov) and the authority of the source, you can make better judgments about the reliability of online information.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- ".com = company",
- ".edu = educational institution",
- ".gov = government",
- "The suffix may help you judge a source's reliability"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 130,
- "tips": [
- {
- "category": "Word Partners",
- "embedding": "Use experience.",
- "text": "Use experience with adjectives: professional experience, valuable experience, past experience, shared experience, learning experience. You can also use experience with nouns: work experience, life experience, experience danger.",
- "html": "
Use experience with adjectives: professional experience, valuable experience, past experience, shared experience, learning experience. You can also use experience with nouns: work experience, life experience, experience danger.
",
- "id": "9afe3753-35be-4bff-be9d-dc5ca7f39d93",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 134,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Evaluating sources: When you see a quote from an expert in an article, think about why the writer included it and the ideas it supports.",
- "text": "Evaluating sources: When you see a quote from an expert in an article, think about why the writer included it and the ideas it supports.",
- "html": "
Evaluating sources: When you see a quote from an expert in an article, think about why the writer included it and the ideas it supports.
According to the two reading passages, what are the main factors that firefighters consider when they are fighting a fire? What are examples of each one? Complete the chart.
Factor
Shape of the land
Examples
Dry grass, plants
",
- "additional": "
Wildfires!
Wildfires occur all around the world, but they are most frequent in areas that have wet seasons followed by long, hot, dry seasons. These conditions exist in parts of Australia, South Africa, Southern Europe, and the western regions of the United States.
Wildfires can move quickly and destroy large areas of land in just a few minutes. Wildfires need three conditions: fuel, oxygen, and a heat source. Fuel is anything in the path of the fire that can burn: trees, grasses, even homes. Air supplies the oxygen. Heat sources include lightning, cigarettes, or just heat from the sun.
From past experience we know that it is difficult to prevent wildfires, but it is possible to stop them from becoming too big. One strategy is to cut down trees. Another strategy is to start fires on purpose. Both of these strategies limit the amount of fuel available for future fires. In addition, people who live in areas where wildfires occur can build fire-resistant1 homes, according to fire researcher Jack Cohen. Cohen says that in some recent California fires, “there were significant cases of communities that did not burn . . . because they were fire-resistant.”
However, most experts agree that no single action will reduce fires or their damage. The best method is to consider all these strategies and use each of them when and where they are the most appropriate.
Fighting Fire
Fighting fires is similar to a military campaign.2 Attacks come from the air and from the ground. The firefighters must consider three main factors: the shape of the land, the weather, and the type of fuel in the path of the fire. For example, southern sides of mountains are sunnier and drier, so they are more likely to burn than the northern sides. Between two mountains, in the canyons, strong winds can suddenly change the direction of a fire. These places, therefore, experience particularly dangerous fires.
To control a wildfire, firefighters on the ground first look for something in the area that can block the fire, such as a river or a road. Then they dig a deep trench.3 This is a “fire line,” a line that fire cannot cross.
While firefighters on the ground create a fire line, planes and helicopters drop water or chemical fire retardant4 on the fire. Pilots communicate with firefighters on the ground so they know what areas to hit.
As soon as the fire line is created, firefighters cut down any dead trees in the area between the fire line and the fire. This helps keep flames from climbing higher into the treetops.
At the same time, other firefighters on the ground begin backburning5 in the area between the fire line and the fire.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to analyze the given text to answer questions about:
The purpose of Jack Cohen's quote
The main factors firefighters consider when fighting wildfires
Examples of these factors
Let's break this down step by step.
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "Why does the writer quote Jack Cohen?",
- "What idea does his quote support?",
- "what are the main factors that firefighters consider when they are fighting a fire?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Analyzing Jack Cohen's Quote
The writer quotes Jack Cohen, a fire researcher, who says: \"there were significant cases of communities that did not burn . . . because they were fire - resistant.\"
This quote is used to:
Support the idea that building fire-resistant homes can be an effective strategy against wildfires
Provide expert evidence for the effectiveness of this approach
Illustrate a practical application of fire prevention strategies
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "Cohen says that in some recent California fires, \"there were significant cases of communities that did not burn . . . because they were fire - resistant.\""
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "To provide expert evidence on fire-resistant homes"
- },
- {
- "target": "question",
- "targetId": "blank-7",
- "position": "replace",
- "html": "Building fire-resistant homes can protect communities from wildfires"
- }
- ]
- },
- {
- "html": "
Main Factors Firefighters Consider
According to the passage, firefighters consider three main factors when fighting a fire:
Shape of the land
Weather
Type of fuel in the fire's path
Let's look at examples for each factor.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "The firefighters must consider three main factors: the shape of the land, the weather, and the type of fuel in the path of the fire."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "Weather"
- },
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "Fuel type"
- }
- ]
- },
- {
- "html": "
Examples of Each Factor
1. Shape of the land:
Southern sides of mountains (sunnier and drier, more likely to burn)
Canyons between mountains (strong winds can change fire direction)
2. Weather:
Strong winds (can change fire direction)
3. Fuel type:
Dry grass and plants
Trees (especially dead trees)
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "southern sides of mountains are sunnier and drier, so they are more likely to burn than the northern sides",
- "Between two mountains, in the canyons, strong winds can suddenly change the direction of a fire",
- "Dry grass, plants"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-4",
- "position": "replace",
- "html": "Southern mountain sides, canyons"
- },
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "Strong winds"
- }
- ]
- },
- {
- "html": "
The Importance of Expert Quotes
Including expert quotes in an article serves several purposes:
Adds credibility to the information presented
Provides specific examples or data to support main ideas
Offers expert insights that the author may not have
Helps readers understand complex topics through an expert's perspective
When reading articles, it's important to consider why certain quotes are included and how they support the main ideas being presented.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "When you see a quote from an expert in an article, think about why the writer included it and the ideas it supports."
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 135,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Verb Forms for Describing a Process\n\nWriters usually use two verb forms when they describe a process - the imperative and the simple present.\n\nIf you are explaining how to do something, use the imperative. The imperative is the base form of a verb. You do not use a subject with the imperative. If you are explaining how something happens, use the simple present. Remember to make subjects and verbs agree when you use the simple present.",
- "text": "Verb Forms for Describing a Process\n\nWriters usually use two verb forms when they describe a process - the imperative and the simple present.\n\nIf you are explaining how to do something, use the imperative. The imperative is the base form of a verb. You do not use a subject with the imperative. For example:\nFirst, remove fuel in the fire's path.\n\nThe subject, you, is understood. Remove is the base form of the verb.\n\nIf you are explaining how something happens, use the simple present. For example:\nThen warm air moves upward.\nThen firefighters look for something in the area that can block the fire.\n\nRemember to make subjects and verbs agree when you use the simple present.",
- "html": "
Verb Forms for Describing a Process
Writers usually use two verb forms when they describe a process - the imperative and the simple present.
If you are explaining how to do something, use the imperative. The imperative is the base form of a verb. You do not use a subject with the imperative. For example:
First, remove fuel in the fire's path.
The subject, you, is understood. Remove is the base form of the verb.
If you are explaining how something happens, use the simple present. For example:
Then warm air moves upward. Then firefighters look for something in the area that can block the fire.
Remember to make subjects and verbs agree when you use the simple present.
Read the information in the box. Complete the sentences (1-3) with the correct form of the verb in parentheses.
__ (move) indoors during a lightning storm, if possible.
Firefighters __ (dig) a trench to block the fire.
First, warm air _ (collide) with cold air at high altitudes.
Write three imperative sentences and three sentences in the simple present. Use the ideas from exercises A and Babove.
Imperative:
Simple Present:
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to complete two exercises:
Fill in the blanks with the correct verb forms
Write three imperative sentences and three simple present sentences
Let's approach this step-by-step, focusing on the correct use of verb forms in describing processes.
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "Complete the sentences (1-3) with the correct form of the verb in parentheses",
- "Write three imperative sentences and three sentences in the simple present"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Exercise 1: Completing Sentences
Let's analyze each sentence and determine the correct verb form:
\"_______(move) indoors during a lightning storm, if possible.\" This is an instruction, so we use the imperative form: \"Move\"
\"Firefighters _______(dig) a trench to block the fire.\" This describes what firefighters do, so we use simple present: \"dig\"
\"First, warm air _______(collide) with cold air at high altitudes.\" This explains how something happens, so we use simple present: \"collides\"
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "If you are explaining how to do something, use the imperative",
- "If you are explaining how something happens, use the simple present"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Move"
- },
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "dig"
- },
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "collides"
- }
- ]
- },
- {
- "html": "
Exercise 2: Writing Sentences
Now, let's create three imperative and three simple present sentences:
Imperative Sentences:
Stay away from windows during a tornado.
Check weather reports regularly in tornado season.
Create a fire-resistant zone around your home.
Simple Present Sentences:
Tornadoes form when warm and cold air masses collide.
Firefighters use various strategies to control wildfires.
Strong winds change the direction of fires quickly.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "The imperative is the base form of a verb",
- "You do not use a subject with the imperative",
- "Remember to make subjects and verbs agree when you use the simple present"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-4",
- "position": "replace",
- "html": "Stay away from windows during a tornado."
- },
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "Check weather reports regularly in tornado season."
- },
- {
- "target": "question",
- "targetId": "blank-6",
- "position": "replace",
- "html": "Create a fire-resistant zone around your home."
- },
- {
- "target": "question",
- "targetId": "blank-7",
- "position": "replace",
- "html": "Tornadoes form when warm and cold air masses collide."
- },
- {
- "target": "question",
- "targetId": "blank-8",
- "position": "replace",
- "html": "Firefighters use various strategies to control wildfires."
- },
- {
- "target": "question",
- "targetId": "blank-9",
- "position": "replace",
- "html": "Strong winds change the direction of fires quickly."
- }
- ]
- },
- {
- "html": "
Understanding Verb Forms in Process Descriptions
Using the correct verb forms is crucial when describing processes because:
Imperative verbs give clear, direct instructions
Simple present verbs explain how things generally happen
Correct usage helps readers distinguish between actions to take and natural occurrences
It makes the text more coherent and easier to understand
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Writers usually use two verb forms when they describe a process - the imperative and the simple present"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Applying the Tip to Real-World Writing
This tip is beneficial because:
It helps create clear, effective instructions in various fields (e.g., safety guidelines, cooking recipes, user manuals)
It improves the ability to explain scientific processes or natural phenomena accurately
It enhances overall writing clarity and precision
It's a fundamental skill for technical writing and educational content creation
By mastering these verb forms, you can communicate processes more effectively in both academic and professional contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "First, remove fuel in the fire's path",
- "Then warm air moves upward",
- "Then firefighters look for something in the area that can block the fire"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 136,
- "tips": [
- {
- "category": "Writing Skill",
- "embedding": "Organizing a Process Paragraph\n\nWhen you write a process paragraph, you explain steps or events in a process in chronological order - the first event appears first, then the next event, and so on.\n\nTo plan a process paragraph, first list each step or event in the correct order. When you write your paragraph, use transition words and phrases to help the reader follow the order.",
- "text": "Organizing a Process Paragraph\n\nWhen you write a process paragraph, you explain steps or events in a process in chronological order - the first event appears first, then the next event, and so on.\n\nTo plan a process paragraph, first list each step or event in the correct order. When you write your paragraph, use transition words and phrases to help the reader follow the order.\nfirst, second, third; then, next, in addition; finally\nbefore, after, once, when, as soon as, during, while\n\nNote that during and while have similar meanings but are used differently in a sentence.\nDuring the storm, it isn't safe to go outside. (during + noun)\nWhile the storm is happening, stay indoors. (while + noun + be + verb + -ing)\n\nWriters usually use the simple present or the imperative to describe a process. You can also use the present perfect with after and once.\nAfter / Once the storm has passed, it's safe to go outside.\n\nNote: A process paragraph is more than a list of steps. It is also important to include details that help the reader understand the steps or events.",
- "html": "
Organizing a Process Paragraph
When you write a process paragraph, you explain steps or events in a process in chronological order - the first event appears first, then the next event, and so on.
To plan a process paragraph, first list each step or event in the correct order. When you write your paragraph, use transition words and phrases to help the reader follow the order.
first, second, third; then, next, in addition; finally before, after, once, when, as soon as, during, while
Note that during and while have similar meanings but are used differently in a sentence.
During the storm, it isn't safe to go outside. (during + noun) While the storm is happening, stay indoors. (while + noun + be + verb + -ing)
Writers usually use the simple present or the imperative to describe a process. You can also use the present perfect with after and once.
After / Once the storm has passed, it's safe to go outside.
Note: A process paragraph is more than a list of steps. It is also important to include details that help the reader understand the steps or events.
Now, let's write the paragraph using the ordered events and appropriate transition words:
Wildfires move quickly and are extremely dangerous, but you can avoid danger if you follow these steps. First, if a fire is approaching your home, go outside and move any items that can act as fuel for the fire, such as dead plants. Then, go back inside and close all windows, doors, and other openings to prevent the fire from moving easily through the house. After that, turn off any of your home energy sources that can act as fuel, such as natural gas. Next, fill large containers such as garbage cans and bathtubs with water to slow down the fire. Finally, leave the area as quickly as possible and do not return home until it is safe. If you follow these steps, you will have the best chances for staying safe if a wildfire occurs.
",
- "wordDelay": 200,
- "holdDelay": 15000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "use transition words and phrases to help the reader follow the order",
- "first, second, third; then, next, in addition; finally"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-6",
- "position": "replace",
- "html": "First, if a fire is approaching your home, go outside and move any items that can act as fuel for the fire, such as dead plants."
- },
- {
- "target": "question",
- "targetId": "blank-7",
- "position": "replace",
- "html": "Then, go back inside and close all windows, doors, and other openings to prevent the fire from moving easily through the house."
- },
- {
- "target": "question",
- "targetId": "blank-8",
- "position": "replace",
- "html": "After that, turn off any of your home energy sources that can act as fuel, such as natural gas."
- },
- {
- "target": "question",
- "targetId": "blank-9",
- "position": "replace",
- "html": "Next, fill large containers such as garbage cans and bathtubs with water to slow down the fire."
- },
- {
- "target": "question",
- "targetId": "blank-10",
- "position": "replace",
- "html": "Finally, leave the area as quickly as possible and do not return home until it is safe."
- }
- ]
- },
- {
- "html": "
Understanding Process Paragraphs
Writing an effective process paragraph involves:
Arranging events in chronological order
Using transition words to show the sequence clearly
Providing sufficient details for each step
Using simple present or imperative verb forms
Ensuring the paragraph flows logically from start to finish
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Writers usually use the simple present or the imperative to describe a process",
- "A process paragraph is more than a list of steps"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Benefits of Organizing Process Paragraphs
Understanding how to organize a process paragraph is beneficial because:
It improves clarity in instructional or explanatory writing
It helps readers follow complex procedures more easily
It's a valuable skill for academic and professional writing
It enhances overall communication effectiveness
It can be applied to various fields, from technical writing to everyday explanations
By mastering this skill, you can create clear, concise, and easily understandable process descriptions in various contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "To plan a process paragraph, first list each step or event in the correct order",
- "It is also important to include details that help the reader understand the steps or events"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- }
- ]
- },
- {
- "unit": 8,
- "title": "Buliding Wonders",
- "pages": [
- {
- "page": 144,
- "tips": [
- {
- "category": "Word Partners",
- "embedding": "Use style.",
- "text": "Use style with (n.) leadership style, learning style, style of music, writing style; (adj.) distinctive style, particular style, personal style.",
- "html": "
Use style with (n.)leadership style, learning style, style of music, writing style; (adj.)distinctive style, particular style, personal style.
",
- "id": "fe2afa25-31c1-48ba-8b7f-0ca29f3cb889",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 150,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "When you scan, look for paraphrases of key words, as well as the key words themselves.",
- "text": "When you scan, look for paraphrases of key words, as well as the key words themselves. For example, began building is a paraphrase for started work on.",
- "html": "
When you scan, look for paraphrases of key words, as well as the key words themselves. For example, began building is a paraphrase for started work on.
The passage below is about the mysterious statues in Rapa Nui (Easter Island) called moai. Scan the paragraph to find the answers to these questions.
How far is Rapa Nui from Chile? ___________________
When did people probably first come to Rapa Nui? ___________________
Where did the people of Rapa Nui come from? ___________________
How tall are the statues? How much do they weigh? ___________________
",
- "additional": "
The Moai of Rapa Nui
Rapa Nui (Easter Island) is an island in the Pacific Ocean located 2,300 miles (3,700 kilometers) west of Chile. It’s home to the mysterious moai statues, enormous figures carved from stone. It's not clear when the island was first settled. Experts guess that a few brave sailors somehow sailed west to Rapa Nui from Polynesian islands around AD 800. Experts do know that the Rapa Nui culture was at its height between the 10th and 16th centuries. They think the Rapa Nui people carved and built the moai in this period. There are 900 moai statues across the island. They are about 13 feet (4 meters) tall and weigh as much as 14 tons. Most scholars think that the moai were created to honor ancestors, chiefs, or other important people.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to scan the given passage about the moai statues of Rapa Nui (Easter Island) to find specific information. Let's break down the questions we need to answer:
Distance of Rapa Nui from Chile
Probable time of first settlement
Origin of Rapa Nui people
Height and weight of the statues
We'll use scanning techniques to quickly locate this information in the text.
Look for numbers when searching for dates, measurements, or distances
Pay attention to proper nouns for locations or origins
Don't read every word; let your eyes quickly move through the text
Be aware of paraphrases or synonyms of the key words you're looking for
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "look for paraphrases of key words, as well as the key words themselves"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Importance of Recognizing Paraphrases
Recognizing paraphrases is crucial in scanning because:
Authors often use synonyms or rephrase ideas
The exact wording from the question may not appear in the text
It helps in understanding the context and nuances of the information
It improves overall reading comprehension skills
It's a valuable skill for academic and professional reading tasks
For example, in our text, 'first settled' could be paraphrased as 'brave sailors somehow sailed west to Rapa Nui', indicating the first settlement.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip",
- "additional"
- ],
- "phrases": [
- "began building is a paraphrase for started work on",
- "Experts guess that a few brave sailors somehow sailed west to Rapa Nui"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Benefits of Effective Scanning
Mastering the skill of scanning, including recognizing paraphrases, is beneficial because:
It saves time when searching for specific information in long texts
It's essential for quickly reviewing documents or research materials
It helps in test-taking strategies, especially for reading comprehension questions
It improves overall reading efficiency and speed
It's a valuable skill in both academic and professional settings
By practicing scanning and being aware of paraphrases, you can become a more efficient and effective reader across various contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "When you scan, look for paraphrases of key words, as well as the key words themselves"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- },
- {
- "category": "Reading Skill",
- "embedding": "Scanning for Specific Information\n\nScanning helps you find details quickly. When you scan, you move your eyes quickly across and down a page and you only look for particular things. For example, to get information about times and dates, look for numbers, and to get information about people and places, look for capitalized words. Read the words around the numbers or capitalized words to understand the context.",
- "text": "Scanning for Specific Information\n\nScanning helps you find details quickly. When you scan, you move your eyes quickly across and down a page and you only look for particular things. For example, to get information about times and dates, look for numbers, and to get information about people and places, look for capitalized words. Read the words around the numbers or capitalized words to understand the context.\n\nFor example, to answer the question 'When did Gaudí start work on La Sagrada Família?', first scan the text to find a year. Then read the words near the year for information about 'starting work'.\nAntoní Gaudi began building his church, La Sagrada Família, in 1881.\n\nFirst, your eyes go to 1887. Then your eyes go to began building. You have found the answer to the question - in 1881.",
- "html": "
Scanning for Specific Information
Scanning helps you find details quickly. When you scan, you move your eyes quickly across and down a page and you only look for particular things. For example, to get information about times and dates, look for numbers, and to get information about people and places, look for capitalized words. Read the words around the numbers or capitalized words to understand the context.
For example, to answer the question 'When did Gaudí start work on La Sagrada Família?', first scan the text to find a year. Then read the words near the year for information about 'starting work'.
Antoni Gaudí began building his church, La Sagrada Família, in 1881.
First, your eyes go to 1887. Then your eyes go to began building. You have found the answer to the question - in 1881.
The passage below is about the mysterious statues in Rapa Nui (Easter Island) called moai. Scan the paragraph to find the answers to these questions.
How far is Rapa Nui from Chile? ___________________
When did people probably first come to Rapa Nui? ___________________
Where did the people of Rapa Nui come from? ___________________
How tall are the statues? How much do they weigh? ___________________
",
- "additional": "
The Moai of Rapa Nui
Rapa Nui (Easter Island) is an island in the Pacific Ocean located 2,300 miles (3,700 kilometers) west of Chile. It's home to the mysterious moai statues, enormous figures carved from stone. It's not clear when the island was first settled. Experts guess that a few brave sailors somehow sailed west to Rapa Nui from Polynesian islands around AD 800. Experts do know that the Rapa Nui culture was at its height between the 10th and 16th centuries. They think the Rapa Nui people carved and built the moai in this period. There are 900 moai statues across the island. They are about 13 feet (4 meters) tall and weigh as much as 14 tons. Most scholars think that the moai were created to honor ancestors, chiefs, or other important people.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to scan the given passage about the moai statues of Rapa Nui (Easter Island) to find specific information. Let's break down the questions we need to answer:
Distance of Rapa Nui from Chile
Probable time of first settlement
Origin of Rapa Nui people
Height and weight of the statues
We'll use scanning techniques to quickly locate this information in the text.
Look for numbers when searching for dates, measurements, or distances
Pay attention to proper nouns for locations or origins
Don't read every word; let your eyes quickly move through the text
Be aware of paraphrases or synonyms of the key words you're looking for
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "look for paraphrases of key words, as well as the key words themselves"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Importance of Recognizing Paraphrases
Recognizing paraphrases is crucial in scanning because:
Authors often use synonyms or rephrase ideas
The exact wording from the question may not appear in the text
It helps in understanding the context and nuances of the information
It improves overall reading comprehension skills
It's a valuable skill for academic and professional reading tasks
For example, in our text, 'first settled' could be paraphrased as 'brave sailors somehow sailed west to Rapa Nui', indicating the first settlement.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip",
- "additional"
- ],
- "phrases": [
- "began building is a paraphrase for started work on",
- "Experts guess that a few brave sailors somehow sailed west to Rapa Nui"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Benefits of Effective Scanning
Mastering the skill of scanning, including recognizing paraphrases, is beneficial because:
It saves time when searching for specific information in long texts
It's essential for quickly reviewing documents or research materials
It helps in test-taking strategies, especially for reading comprehension questions
It improves overall reading efficiency and speed
It's a valuable skill in both academic and professional settings
By practicing scanning and being aware of paraphrases, you can become a more efficient and effective reader across various contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "When you scan, look for paraphrases of key words, as well as the key words themselves"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 152,
- "tips": [
- {
- "category": "Word Link",
- "embedding": "trans = across",
- "text": "trans = across: transport, transportation, transfer, transit, translate. Note that transport can be both a noun and a verb, but the stress is different: (n.) transport, (v.) transport.",
- "html": "
trans = across: transport, transportation, transfer, transit, translate. Note that transport can be both a noun and a verb, but the stress is different: (n.)transport, (v.) transport.
",
- "id": "9d657295-2afe-4ce2-a47c-e5a0ab70b782",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 156,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "To identify comparisons, you need to scan for and select relevant details from different parts of the text.",
- "text": "To identify comparisons, you need to scan for and select relevant details from different parts of the text, for example, names of people and places, years, dimensions, and other specific details.",
- "html": "
To identify comparisons, you need to scan for and select relevant details from different parts of the text, for example, names of people and places, years, dimensions, and other specific details.
Scan the reading passage for information to complete the table.
Name
When was it built?
How was it built?
Göbekli Tepe
11,500 B.C.
Chichén Itzá
According to the writer, what was the purpose of each structure? What evidence does the writer give? Scan the reading again and write your answers.
Göbekli Tepe
___________________________________________
___________________________________________
Chichén Itzá
___________________________________________
___________________________________________
In what ways are the structures you read about similar? In what ways are they different? Use your ideas from the previous exercises. Complete the table.
Göbekli Tepe
Both
Chichén Itzá
",
- "additional": "
Amazing Structures
People have created monuments for various reasons, inspired by different sources. Two of the greatest architectural achievements are on opposite sides of the world, in Turkey and Mexico.
Göbekli Tepe
Göbekli Tepe is one of the oldest man-made structures on Earth. It was already nearly 8,000 years old when both Stonehenge1 and the pyramids of Egypt were built. The structure consists of dozens of stone pillars arranged in rings. The pillars are shaped like capital T's, and many are covered with carvings of animals running and jumping. They are also very big—the tallest pillars are 18 feet (5.5 m) in height and weigh 16 tons (more than 14,500 kg). In fact, archaeologists think that Göbekli Tepe was probably the largest structure on Earth at the time.
How Was It Built?
At the time that Göbekli Tepe was built, most humans lived in small nomadic2 groups. These people survived by gathering plants and hunting animals. They had no writing system and did not use metal. Even wheels did not exist. Amazingly, the structure's builders were able to cut, shape, and transport 16-ton stones. Archaeologists found Stone Age3 tools such as knives at the site. They think hundreds of workers carved and put the pillars in place.
Why Was It Built?
Archaeologists are still excavating Göbekli Tepe and debating its meaning. Many think it is the world's oldest temple. Klaus Schmidt is the archaeologist who originally excavated the site. He thinks that people living nearby created Göbekli Tepe as a holy meeting place. To Schmidt, the T-shaped pillars represent human beings. The pillars face the center of the circle and perhaps represent a religious ritual.
Chichén Itzá
Chichén Itzá is an ancient city made of stepped pyramids, temples, and other stone structures. The largest building in Chichén Itzá is the Temple of Kukfooterkan, a pyramid with 365 steps. A kind of calendar, the temple shows the change of seasons. Twice a year on the spring and autumn equinoxes,4 a shadow falls on the pyramid in the shape of a snake. As the sun sets, this shadowy snake goes down the steps to eventually join a carved snake head on the pyramid's side.
How Was It Built?
The Mayans constructed the pyramids with carved stone. To build a pyramid, Mayan workers created a base and added smaller and smaller levels as the structure rose. Building the pyramids required many workers. Some pyramids took hundreds of years to complete. As at Göbekli Tepe, builders worked without wheels or metal tools.
Why Was It Built?
Chichén Itzá was both an advanced city center and a religious site. Spanish records show that the Mayans made human sacrifices5 to a rain god here. Archaeologists have found bones, jewelry, and other objects that people wore when they were sacrificed. Experts also know that the Mayans were knowledgeable astronomers.6 They used the tops of the pyramids to view Venus and other planets.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to complete three main tasks:
Fill in a table with information about Göbekli Tepe and Chichén Itzá
Identify the purpose and evidence for each structure
Compare and contrast the two structures
Let's approach this step-by-step, using scanning techniques to find the relevant information quickly.
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "Scan the reading passage for information to complete the table",
- "According to the writer, what was the purpose of each structure?",
- "In what ways are the structures you read about similar? In what ways are they different?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Task 1: Completing the Table
Let's scan for the missing information:
Göbekli Tepe: Built in 11,500 B.C. (given)
How it was built: Stone Age tools were used, hundreds of workers carved and placed 16-ton stones
Chichén Itzá: Built date not specified, but it's much later than Göbekli Tepe
How it was built: Constructed with carved stone, workers created a base and added smaller levels, took hundreds of years to complete
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "Archaeologists found Stone Age tools such as knives at the site. They think hundreds of workers carved and put the pillars in place.",
- "The Mayans constructed the pyramids with carved stone. To build a pyramid, Mayan workers created a base and added smaller and smaller levels as the structure rose."
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Stone Age tools, hundreds of workers carved and placed 16-ton stones"
- },
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "Not specified (much later than Göbekli Tepe)"
- },
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "Carved stone, base with smaller levels added, took hundreds of years"
- }
- ]
- },
- {
- "html": "
Task 2: Purpose and Evidence
Scanning for purpose and evidence:
Göbekli Tepe:
Purpose: Likely the world's oldest temple, a holy meeting place
Evidence: T-shaped pillars possibly representing humans, arranged in circles facing the center
Chichén Itzá:
Purpose: Advanced city center and religious site
Evidence: Human sacrifices to rain god, astronomical observations from pyramid tops
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "additional"
- ],
- "phrases": [
- "Many think it is the world's oldest temple",
- "Klaus Schmidt is the archaeologist who originally excavated the site. He thinks that people living nearby created Göbekli Tepe as a holy meeting place",
- "Chichén Itzá was both an advanced city center and a religious site",
- "Spanish records show that the Mayans made human sacrifices to a rain god here",
- "They used the tops of the pyramids to view Venus and other planets"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-4",
- "position": "replace",
- "html": "World's oldest temple, holy meeting place"
- },
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "T-shaped pillars representing humans, arranged in circles"
- },
- {
- "target": "question",
- "targetId": "blank-6",
- "position": "replace",
- "html": "Advanced city center and religious site"
- },
- {
- "target": "question",
- "targetId": "blank-7",
- "position": "replace",
- "html": "Human sacrifices, astronomical observations from pyramids"
- }
- ]
- },
- {
- "html": "
Task 3: Comparing and Contrasting
Let's identify similarities and differences:
Similarities:
Both are ancient structures
Both had religious purposes
Both were built without metal tools or wheels
Differences:
Göbekli Tepe is much older (11,500 B.C. vs. unspecified later date)
Göbekli Tepe has stone pillars, Chichén Itzá has pyramids
Chichén Itzá was also a city center, while Göbekli Tepe was primarily a religious site
Scanning for comparisons is a crucial skill because:
It helps organize information from different parts of a text
It allows for quick identification of similarities and differences
It enhances critical thinking and analytical skills
It's useful for summarizing complex information
It's applicable in various academic and professional contexts
By practicing this skill, you can improve your ability to process and understand complex texts efficiently.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "for example, names of people and places, years, dimensions, and other specific details"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 157,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Using Comparative Adjectives\n\nOne way to make comparisons is to use the comparative forms of adjectives.\nadjective + -er + than\nmore / less + adjective + than",
- "text": "Using Comparative Adjectives\n\nOne way to make comparisons is to use the comparative forms of adjectives.\nadjective + -er + than\nmore / less + adjective + than (with most adjectives that have two or more syllables)\n\nExamples:\nGöbekli Tepe is older than Stonehenge.\nThe design of La Sagrada FamÃlia is more complex than the design of St. Patrick's Cathedral.\n\nUse (not) as + adjective + as to say things are (or are not) the same.\nExample:\nThe Empire State Building is not as tall as the Tokyo Sky Tree.",
- "html": "
Using Comparative Adjectives
One way to make comparisons is to use the comparative forms of adjectives.
adjective + -er + than
more / less + adjective + than (with most adjectives that have two or more syllables)
Examples:
Göbekli Tepe is older than Stonehenge. The design of La Sagrada Família is more complex than the design of St. Patrick's Cathedral.
Use (not) as + adjective + as to say things are (or are not) the same.
Example:
The Empire State Building is not as tall as the Tokyo Sky Tree.
Complete the sentences (1-3) using comparative adjectives.
The Tokyo Sky Tree is 2,080 feet (634 meters) tall. The Canton Tower is 1,969 feet (600 meters) tall. The Tokyo Sky Tree is __________ the Canton Tower. (tall)
St. Paul's Cathedral has a traditional design. The design of St. Mary's Cathedral is partly traditional and partly modern. The design of St. Mary's Cathedral is __________ the design of St. Paul's Cathedral. (traditional)
The Great Wall of China is 5,500 miles (8,850 kilometers) long. Hadrian's Wall is 73 miles (120 kilometers) long. Hadrian's Wall is not __________ the Great Wall of China. (long)
",
- "segments": [
- {
- "html": "
Understanding the Task
In this exercise, we need to complete three sentences using comparative adjectives. The task requires us to:
Analyze the given information about each pair of structures
Identify the appropriate comparative form for each adjective
Sentence 2: St. Mary's Cathedral vs. St. Paul's Cathedral
Given information:
St. Paul's Cathedral: traditional design
St. Mary's Cathedral: partly traditional and partly modern design
Analysis:
St. Mary's Cathedral is less traditional
We're comparing traditionality, so we'll use the adjective 'traditional'
'Traditional' has more than two syllables, so we use 'less' + adjective + 'than'
Correct comparative form: 'less traditional than'
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "more / less + adjective + than (with most adjectives that have two or more syllables)"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "less traditional than"
- }
- ]
- },
- {
- "html": "
Sentence 3: Hadrian's Wall vs. Great Wall of China
Given information:
Great Wall of China: 5,500 miles (8,850 kilometers) long
Hadrian's Wall: 73 miles (120 kilometers) long
Analysis:
Hadrian's Wall is significantly shorter
We're comparing lengths, so we'll use the adjective 'long'
The sentence structure uses 'not as... as', which indicates inequality
Correct comparative form: 'as long as'
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Use (not) as + adjective + as to say things are (or are not) the same"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "as long as"
- }
- ]
- },
- {
- "html": "
Understanding Comparative Adjectives
Comparative adjectives are used to compare two things. The rules for forming comparatives are:
For one-syllable adjectives, add '-er' (e.g., tall → taller)
For two-syllable adjectives ending in '-y', change 'y' to 'i' and add '-er' (e.g., happy → happier)
For most adjectives with two or more syllables, use 'more' or 'less' before the adjective
Some adjectives have irregular comparative forms (e.g., good → better, bad → worse)
The structure 'not as... as' is used to express inequality between two things.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "One way to make comparisons is to use the comparative forms of adjectives"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Benefits of Using Comparative Adjectives
Understanding and using comparative adjectives is beneficial because:
It allows for precise comparisons between two objects or concepts
It enhances descriptive writing skills
It's essential for academic and professional communication
It helps in expressing preferences and making decisions
It's useful in various fields like architecture, engineering, and design
By mastering comparative adjectives, you can communicate more effectively and make clearer comparisons in both written and spoken English.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Göbekli Tepe is older than Stonehenge",
- "The design of La Sagrada Família is more complex than the design of St. Patrick's Cathedral",
- "The Empire State Building is not as tall as the Tokyo Sky Tree"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 158,
- "tips": [
- {
- "category": "Writing Skill",
- "embedding": "Writing a Comparison Paragraph\n\nWhen you write a comparison paragraph, first choose a topic - that is, the items you wish to compare. Next, think of two or three points about the items that you want to discuss. Then think of one or two details to include about each point.",
- "text": "Writing a Comparison Paragraph\n\nWhen you write a comparison paragraph, first choose a topic - that is, the items you wish to compare. Next, think of two or three points about the items that you want to discuss. Then think of one or two details to include about each point.\n\nTransition words and phrases in your paragraph help the reader understand your ideas:\nSimilarities: similarly, both, also, too Differences: however, on the other hand, but\nBoth Göbekli Tepe and Stonehenge are ancient monuments. However, Göbekli Tepe is much older.\nThe pyramids at Chichén Itzá showed the change in seasons. Similarly, some experts think people used Stonehenge as a kind of calendar.",
- "html": "
Writing a Comparison Paragraph
When you write a comparison paragraph, first choose a topic - that is, the items you wish to compare. Next, think of two or three points about the items that you want to discuss. Then think of one or two details to include about each point.
Transition words and phrases in your paragraph help the reader understand your ideas:
Similarities: similarly, both, also, too
Differences: however, on the other hand, but
Both Göbekli Tepe and Stonehenge are ancient monuments. However, Göbekli Tepe is much older. The pyramids at Chichén Itzá showed the change in seasons. Similarly, some experts think people used Stonehenge as a kind of calendar.
'New York City is significantly larger than Paris in terms of population, however, both cities are renowned for their iconic landmarks.'
This sentence:
Compares the size of two famous cities
Uses 'larger than' for comparison
Includes a similarity using 'however' and 'both'
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Similarities: similarly, both, also, too",
- "Differences: however, on the other hand, but"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "New York City is significantly larger than Paris in terms of population, however, both cities are renowned for their iconic landmarks."
- }
- ]
- },
- {
- "html": "
Sentence 2: Comparing Climate
Let's compare the climate of two countries:
'While Canada experiences extremely cold winters, Australia has much milder temperatures year-round, but both countries have diverse landscapes that attract nature enthusiasts.'
This sentence:
Compares the climate of two countries
Uses 'extremely' and 'much milder' for contrast
Includes a similarity using 'but' and 'both'
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "When you write a comparison paragraph, first choose a topic - that is, the items you wish to compare"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "While Canada experiences extremely cold winters, Australia has much milder temperatures year-round, but both countries have diverse landscapes that attract nature enthusiasts."
- }
- ]
- },
- {
- "html": "
Sentence 3: Comparing Cultural Aspects
Let's compare two Asian countries:
'Japan and South Korea share many cultural similarities, such as a strong emphasis on respect for elders, however, their traditional cuisines are distinctly different.'
This sentence:
Compares cultural aspects of two countries
Uses 'similarities' to show likeness
Uses 'however' to introduce a difference
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Next, think of two or three points about the items that you want to discuss"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "Japan and South Korea share many cultural similarities, such as a strong emphasis on respect for elders, however, their traditional cuisines are distinctly different."
- }
- ]
- },
- {
- "html": "
Sentence 4: Comparing Natural Features
Let's compare two natural wonders:
'The Grand Canyon is significantly deeper than the Great Barrier Reef, but both natural wonders attract millions of visitors annually due to their breathtaking beauty.'
This sentence:
Compares two famous natural landmarks
Uses 'deeper than' for comparison
Uses 'but' to introduce a similarity
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Then think of one or two details to include about each point"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-4",
- "position": "replace",
- "html": "The Grand Canyon is significantly deeper than the Great Barrier Reef, but both natural wonders attract millions of visitors annually due to their breathtaking beauty."
- }
- ]
- },
- {
- "html": "
Sentence 5: Comparing Historical Significance
Let's compare two ancient structures:
'The pyramids of Egypt are older than the Colosseum in Rome; similarly, both structures serve as remarkable examples of ancient engineering and continue to fascinate modern archaeologists.'
This sentence:
Compares two ancient structures
Uses 'older than' for comparison
Uses 'similarly' to introduce a likeness
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Transition words and phrases in your paragraph help the reader understand your ideas"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "The pyramids of Egypt are older than the Colosseum in Rome; similarly, both structures serve as remarkable examples of ancient engineering and continue to fascinate modern archaeologists."
- }
- ]
- },
- {
- "html": "
Benefits of Writing Comparison Sentences
Practicing writing comparison sentences is beneficial because it:
Enhances critical thinking skills by identifying similarities and differences
Improves vocabulary and use of transition words
Develops more sophisticated writing structures
Helps in organizing thoughts and information effectively
Prepares for more complex comparative essays and analyses
By mastering this skill, you can create more engaging and informative writing in various academic and professional contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment"
- ],
- "phrases": [
- "Both Göbekli Tepe and Stonehenge are ancient monuments. However, Göbekli Tepe is much older",
- "The pyramids at Chichén Itzá showed the change in seasons. Similarly, some experts think people used Stonehenge as a kind of calendar"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- },
- {
- "category": "CT Focus",
- "embedding": "Organizing ideas visually, for example, by using a Venn diagram or other graphic organizer, can help you see similarities and differences more clearly. It can also help you remember key information.",
- "text": "Organizing ideas visually, for example, by using a Venn diagram or other graphic organizer, can help you see similarities and differences more clearly. It can also help you remember key information.",
- "html": "
Organizing ideas visually, for example, by using a Venn diagram or other graphic organizer, can help you see similarities and differences more clearly. It can also help you remember key information.
",
- "id": "9e4d61ca-2488-4f87-b0c7-86746d3ffe70",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 160,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "When you write a comparison paragraph, use pronouns (if, they, etc.) to avoid repeating the same nouns too often.",
- "text": "When you write a comparison paragraph, use pronouns (if, they, etc.) to avoid repeating the same nouns too often. Make sure it is clear to the reader what the pronoun is referring to.",
- "html": "
When you write a comparison paragraph, use pronouns (if, they, etc.) to avoid repeating the same nouns too often. Make sure it is clear to the reader what the pronoun is referring to.
",
- "id": "080b86ef-ca41-4d4b-bcf6-a460ca737777",
- "verified": true,
- "standalone": true
- }
- ]
- }
- ]
- },
- {
- "unit": 9,
- "title": "Form and Function",
- "pages": [
- {
- "page": 166,
- "tips": [
- {
- "category": "Word Partners",
- "embedding": "Use theory.",
- "text": "Use theory with: (n.) evidence for a theory, support for a theory; (adj.) a scientific theory, a convincing theory; (v.) develop a theory, propose a theory, put forward a theory, test a theory.",
- "html": "
Use theory with: (n.)evidence for a theory, support for a theory; (adj.) a scientific theory, a convincing theory; (v.)develop a theory, propose a theory, put forward a theory, test a theory.
",
- "id": "a14dc341-ed16-46c3-a046-f5efd76e9757",
- "verified": true,
- "standalone": true
- },
- {
- "category": "Strategy",
- "embedding": "A subhead (or section head) indicates the main theme of that section. Reading subheads can give you an overall idea of the theme of a passage and how it is organized, such as whether or not the information is divided into categories.",
- "text": "A subhead (or section head) indicates the main theme of that section. Reading subheads can give you an overall idea of the theme of a passage and how it is organized, such as whether or not the information is divided into categories.",
- "html": "
A subhead (or section head) indicates the main theme of that section. Reading subheads can give you an overall idea of the theme of a passage and how it is organized, such as whether or not the information is divided into categories.
Read the title and the subheads of the reading passage. What is the reading passage mainly about?
three ways in which birds attract the opposite sex
three possible purposes of feathers
three methods birds use to fly
",
- "additional": "
What are Feathers For?
Paleontologists1 think feathers have existed for millions of years. Fossils of a 125-million-year-old dinosaur called a theropod show that it had a thin layer of hair on its back—evidence of very primitive feathers. Discoveries such as this are helping scientists understand how and why feathers evolved.
Insulation
Some paleontologists speculate that feathers began as a kind of insulation to keep animals or their young warm. Paleontologists have found theropod fossils that have their front limbs2 spread over nests. They think this shows that the dinosaurs were using feathers to keep their young warm. In addition, many young birds are covered in light, soft feathers, which keep the birds' bodies warm. Even when they become adult birds, they keep a layer of warm feathers closest to their bodies.
Attraction
Another theory is that feathers evolved for display—that is, to be seen. Feathers on birds show a huge range of colors and patterns. In many cases, the purpose of these beautiful feathers is to attract the opposite sex. A peacock spreads his iridescent3 tail to attract a peahen. Other birds use crests — feathers on their heads. A recent discovery supports the display idea: In 2009, scientists found very small sacs4 inside theropod feathers, called melanosomes. Melanosomes give feathers their color. The theropod melanosomes look the same as those in the feathers of living birds.
Flight
We know that feathers help birds to fly. Here's how they work: A bird's feathers are not the same shape on each side. They are thin and hard on one side, and long and flexible on the other. To lift themselves into the air, birds turn their wings at an angle. This movement allows air to go above and below the wings. The difference in air pressure allows them to fly.
Paleontologists are now carefully studying the closest theropod relatives of birds. They are looking for clues to when feathers were first used for flight. A 150-million-year-old bird called Anchiornis, for example, had black-and-white arm feathers. These feathers were almost the same as bird feathers. However, unlike modern bird feathers, the feathers were the same shape on both sides. Because of this, Anchiornis probably wasn't able to fly.
Scientists also found a small, moveable bone in Anchiornis fossils. This bone allowed it to fold its arms to its sides. Modern birds use a similar bone to pull their wings toward their bodies as they fly upwards. Scientists speculate that feathered dinosaurs such as Anchiornis evolved flight by moving their feathered arms up and down as they ran, or by jumping from tree to tree.
Recent research therefore shows that feathers probably evolved because they offered several advantages. The evidence suggests that their special design and bright colors helped dinosaurs, and then birds, stay warm, attract mates, and finally fly high into the sky.
",
- "segments": [
- {
- "html": "
Understanding the Task
We need to determine the main topic of the reading passage by analyzing its title and subheads. This exercise tests our ability to:
Identify the overall theme from structural elements
Recognize how subheads organize information
Infer the main topic without reading the full text
Let's examine the title and subheads to find the answer.
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "segment",
- "question"
- ],
- "phrases": [
- "Read the title and the subheads of the reading passage",
- "What is the reading passage mainly about?"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Analyzing the Title and Subheads
Let's look at the structural elements of the passage:
Title: 'What are Feathers For?'
Subheads:
Insulation
Attraction
Flight
The title poses a question about the purpose of feathers, and the subheads appear to be answering this question by listing different functions of feathers.
The passage is focused on feathers and their purposes
It discusses three main functions of feathers: insulation, attraction, and flight
These functions are likely explained in detail under each subhead
This structure suggests that the passage is exploring different purposes or functions of feathers, rather than focusing solely on attraction or flight methods.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "Reading subheads can give you an overall idea of the theme of a passage and how it is organized"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Selecting the Correct Answer
Based on our analysis, the correct answer is:
b. three possible purposes of feathers
This answer best reflects the content suggested by the title and subheads. It encompasses all three subheads (insulation, attraction, and flight) as purposes of feathers, whereas the other options focus on only one aspect or are not directly related to the subheads.
This exercise demonstrates why understanding subheads is crucial:
It provides a quick overview of the main points
It reveals the organizational structure of the text
It helps in predicting the content of each section
It aids in efficient reading and comprehension
It's particularly useful for academic and professional reading
By mastering this skill, you can quickly grasp the main ideas of a text and improve your reading efficiency across various subjects and contexts.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "segment",
- "tip"
- ],
- "phrases": [
- "A subhead (or section head) indicates the main theme of that section",
- "whether or not the information is divided into categories"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 169,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "When you evaluate evidence, consider whether it is relevant, logical, sufficient, plausible and reliable.",
- "text": "When you evaluate evidence, consider whether it is relevant (does it relate to the main idea?), logical (does it make sense?), sufficient (does it give enough support for the idea?), plausible (is it believable and does it match what you already know?), and reliable (does the writer state where the evidence comes from?).",
- "html": "
When you evaluate evidence, consider whether it is relevant (does it relate to the main idea?), logical (does it make sense?), sufficient (does it give enough support for the idea?), plausible (is it believable and does it match what you already know?), and reliable (does the writer state where the evidence comes from?).
Scan the reading passage for information to complete the table.
How does the author support the ideas about the purposes of feathers? Find at least one modern-day example in the reading for each purpose. Write each one under “Examples.”
What fossil evidence have scientists found relating to each purpose? Note the information under “Evidence.”
Purpose
Examples
Evidence
1.
__________ have that keep their bodies warm.
2.
3.
A bird's feathers are __________ on one side and __________ on the other — so they can lift themselves into the air.
Feathered dinosaurs such as Anchiornis had a __________ that allowed them to fold their arms to their sides. This may eventually have helped them use their feathers to fly.
Think about the scientific evidence in thre previous exercise for each theory about feathers.
In your opinion, does the evidence help support the theories? Does it convince, or persuade, you? Why, or why not?
Do you think one theory is more convincing than the others?
",
- "additional": "
What are Feathers For?
Paleontologists1 think feathers have existed for millions of years. Fossils of a 125-million-year-old dinosaur called a theropod show that it had a thin layer of hair on its back—evidence of very primitive feathers. Discoveries such as this are helping scientists understand how and why feathers evolved.
Insulation
Some paleontologists speculate that feathers began as a kind of insulation to keep animals or their young warm. Paleontologists have found theropod fossils that have their front limbs2 spread over nests. They think this shows that the dinosaurs were using feathers to keep their young warm. In addition, many young birds are covered in light, soft feathers, which keep the birds' bodies warm. Even when they become adult birds, they keep a layer of warm feathers closest to their bodies.
Attraction
Another theory is that feathers evolved for display—that is, to be seen. Feathers on birds show a huge range of colors and patterns. In many cases, the purpose of these beautiful feathers is to attract the opposite sex. A peacock spreads his iridescent3 tail to attract a peahen. Other birds use crests — feathers on their heads. A recent discovery supports the display idea: In 2009, scientists found very small sacs4 inside theropod feathers, called melanosomes. Melanosomes give feathers their color. The theropod melanosomes look the same as those in the feathers of living birds.
Flight
We know that feathers help birds to fly. Here's how they work: A bird's feathers are not the same shape on each side. They are thin and hard on one side, and long and flexible on the other. To lift themselves into the air, birds turn their wings at an angle. This movement allows air to go above and below the wings. The difference in air pressure allows them to fly.
Paleontologists are now carefully studying the closest theropod relatives of birds. They are looking for clues to when feathers were first used for flight. A 150-million-year-old bird called Anchiornis, for example, had black-and-white arm feathers. These feathers were almost the same as bird feathers. However, unlike modern bird feathers, the feathers were the same shape on both sides. Because of this, Anchiornis probably wasn't able to fly.
Scientists also found a small, moveable bone in Anchiornis fossils. This bone allowed it to fold its arms to its sides. Modern birds use a similar bone to pull their wings toward their bodies as they fly upwards. Scientists speculate that feathered dinosaurs such as Anchiornis evolved flight by moving their feathered arms up and down as they ran, or by jumping from tree to tree.
Recent research therefore shows that feathers probably evolved because they offered several advantages. The evidence suggests that their special design and bright colors helped dinosaurs, and then birds, stay warm, attract mates, and finally fly high into the sky.
",
- "segments": [
- {
- "html": "
Understanding the Exercise
This exercise requires us to analyze a reading passage about the purposes of feathers and complete a table with examples and evidence for each purpose. Let's break it down step by step:
Based on this evaluation, we can conclude that the evidence is generally convincing. Each theory is supported by both modern examples and fossil evidence. However, the flight theory might be considered the most convincing due to the detailed explanation of how feathers enable flight and the clear progression from non-flying to flying creatures in the fossil record.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "In your opinion, does the evidence help support the theories?",
- "Do you think one theory is more convincing than the others?"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-11",
- "position": "replace",
- "html": "Yes, the evidence supports the theories. It's convincing because it combines fossil evidence with observations of modern birds, providing a logical explanation for feather evolution."
- },
- {
- "target": "question",
- "targetId": "blank-12",
- "position": "replace",
- "html": "The flight theory seems most convincing due to detailed explanations and clear fossil progression from non-flying to flying creatures."
- }
- ]
- },
- {
- "html": "
Tip Application
The tip about evaluating evidence has been crucial in our analysis. By considering relevance, logic, sufficiency, plausibility, and reliability, we've been able to thoroughly assess the strength of the evidence presented for each feather purpose. This systematic approach helps in forming a well-reasoned opinion about the theories and their supporting evidence.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "relevant",
- "logical",
- "sufficient",
- "plausible",
- "reliable"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 170,
- "tips": [
- {
- "category": "Reading Skill",
- "embedding": "Identifying Theories\n\nScience writers use verbs such as think, speculate, and suggest when they refer to theories. Writers also use words such as probably and perhaps to indicate theories.",
- "text": "Identifying Theories\n\nScience writers use certain words and expressions to differentiate theories from facts. In science, a fact is an idea that has been proven to be true. A theory is an idea that is based on evidence and reasoning, but has not yet been proven. Scientists develop theories in order to explain why something happens, or happened in a particular way.\n\nScience writers use verbs such as think, speculate, and suggest when they refer to theories.\nSome paleontologists speculate that feathers started out as insulation.\nEvidence suggests that their special design and bright colors helped both dinosaurs and birds stay warm.\n\nWriters also use words such as probably and perhaps to indicate theories.\nBecause of this, Anchiornis probally wasn't able to fly.",
- "html": "
Identifying Theories
Science writers use certain words and expressions to differentiate theories from facts. In science, a fact is an idea that has been proven to be true. A theory is an idea that is based on evidence and reasoning, but has not yet been proven. Scientists develop theories in order to explain why something happens, or happened in a particular way.
Science writers use verbs such as think, speculate, and suggest when they refer to theories.
Some paleontologists speculate that feathers started out as insulation. Evidence suggests that their special design and bright colors helped both dinosaurs and birds stay warm.
Writers also use words such as probably and perhaps to indicate theories.
Because of this, Anchiornis probally wasn't able to fly.
Read the information about a fossil discovery in China. Identify the theories and the words that introduce them.
",
- "additional": "
New Discovery Suggests Dinosaurs Were Early Gliders
Many scientists think that a group of dinosaurs closely related to today's birds took the first steps toward flight when their limbs evolved to flap.1 They theorize that this arm flapping possibly led to flying as a result of running or jumping. But recently discovered fossils in China are showing a different picture.
Paleontologists discovered the fossils of a small, feathered dinosaur called Microraptor gui that lived between 120 and 110 million years ago. The Chinese team that studied the fossils doesn't think this animal ran or flapped well enough to take off from the ground. Instead, they think that this animal possibly flew by gliding2 from tree to tree. They further speculate that the feathers formed a sort of \"parachute\"3 that helped the animal stay in the air.
Not everyone agrees with this theory. Some researchers suggest that M. gui's feathers weren't useful for flight at all. They think that the feathers possibly helped the animal to attract a mate, or perhaps to make the tiny dinosaur look bigger.
",
- "segments": [
- {
- "html": "
Analyzing the Fossil Discovery
Let's examine the information about the fossil discovery in China and identify the theories presented along with the words that introduce them. We'll go through this step-by-step:
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Identify the theories and the words that introduce them"
- ]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Theory 1: Traditional View of Flight Evolution
Introducing words: 'Many scientists think'
Theory: Dinosaurs evolved flight through arm flapping, possibly as a result of running or jumping
",
- "wordDelay": 200,
- "holdDelay": 6000,
- "highlight": [
- {
- "targets": [
- "additional"
- ],
- "phrases": [
- "Many scientists think",
- "arm flapping possibly led to flying as a result of running or jumping"
- ]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Theory 1: Dinosaurs evolved flight through arm flapping while running or jumping. Introduced by: 'Many scientists think'"
- }
- ]
- },
- {
- "html": "
Theory 2: Gliding Theory
Introducing words: 'they think'
Theory: Microraptor gui possibly flew by gliding from tree to tree
This approach to evaluating evidence is crucial when analyzing scientific theories. By considering these aspects, we can better understand the strength of each theory and the overall state of knowledge about early flight evolution. It's important to note that in science, multiple theories can coexist until more evidence is found to support or refute them.
Use involved with: (in + n.) involved in a process, involved in an accident, involved in politics, involved in a relationship; (adv.)actively involved, deeply involved, directly involved, emotionally involved, heavily involved, personally involved.
",
- "id": "ba837a64-0e2c-4b48-93e7-7276ea935462",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 176,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "When you look for theories, scan for words like think, believe, suggest, feel, and theorize, as well as qualifiers like can, may, and might.",
- "text": "When you look for theories, scan for words like think, believe, suggest, feel, and theorize, as well as qualifiers like can, may, and might.",
- "html": "
When you look for theories, scan for words like think, believe, suggest, feel, and theorize, as well as qualifiers like can, may, and might.
ALL LIVING organisms are uniquely adapted to the environment in which they live. Scientists study their designs to get ideas for products and technologies for humans. This process is called biomimetics. Here are three examples—in the air, on land, and in the water.
Toucan Bills and Car Safety
Toucan bills are so enormous that it's surprising the birds don't fall on their faces. One species of toucan, the toco toucan, has an orange-yellow bill six to nine inches (15-23 centimeters) long. It's about a third of the bird's entire length. Biologists aren't sure why toucans have such large, colorful bills. Charles Darwin theorized that they attracted mates. Others suggest the bills are used for cutting open fruit, for fighting, or for warning predators to stay away.
One thing scientists are certain of is that the toucan's beak is well designed to be both strong and light. The surface is made of keratin, the same material in human fingernails and hair. But the outer layer isn't a solid structure. It's actually made of many layers of tiny overlapping pieces of keratin. The inside of the bill has a foam-like structure—a network of tiny holes held together by light, thin pieces of bone. This design makes the bill hard but very light.
Marc André Meyers is an engineering professor at the University of California, San Diego. He thinks that the automotive and aviation industries can use the design of the toucan bill to make cars and planes safer. “Panels that mimic toucan bills may offer better protection to motorists involved in crashes,” Meyers says.
Beetle Shells and Collecting Water
The Namib Desert in Angola, Africa, is one of the hottest places on Earth. A beetle called Stenocara survives there by using its shell to get drinking water from the air. Zoologist Andrew Parker of the University of Oxford has figured out how Stenocara collects water from desert air.
The surface of Stenocara's armor-like2 shell is covered with bumps. The top of each bump is smooth and attracts water. The sides of each bump and the areas in between the bumps repel water. As the little drops of water join together and become larger and heavier, they roll down the bumps into the areas between them. A channel3 connects these areas to a spot on the beetle's back that leads straight to its mouth.
Parker thinks Stenocara's bumpy armor can help humans survive better, too. He thinks the beetle's shell is a good model for designing inexpensive tent coverings. The shell might also be a model for roofs that can collect water for drinking and farming in dry parts of the world.
Shark Scales and Swimsuits
Sharks are covered in scales made from the same material as teeth. These flexible scales protect the shark and help it swim quickly in water. A shark can move the scales as it swims. This movement helps reduce the water's drag.4
Amy Lang, an aerospace engineer at the University of Alabama, studied the scales on the shortfin mako, a relative of the great white shark. Lang and her team discovered that the mako shark's scales differ in size and in flexibility in different parts of its body. For instance, the scales on the sides of the body are tapered—wide at one end and narrow at the other end. Because they are tapered, these scales move very easily. They can turn up or flatten to adjust to the flow of water around the shark and to reduce drag.
Lang feels that shark scales can inspire designs for machines that experience drag, such as airplanes. Designers are also getting ideas from shark scales for coating ship bottoms and designing swimwear.
",
- "segments": [
- {
- "html": "
Analyzing 'Design by Nature'
Let's examine the text to find two theories about nature's designs and how they inspire human technology. We'll look for words that indicate theories or hypotheses.
This approach not only helps in identifying theories but also in understanding the tentative nature of scientific knowledge. It reminds us that many ideas in science are hypotheses that scientists are still exploring and testing. By recognizing these linguistic cues, we can better distinguish between established facts and developing theories in scientific literature.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": [
- "question"
- ],
- "phrases": [
- "Find two theories"
- ]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 177,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Using Synonyms\n\nWhen you write a summary of a passage, you should restate information as much as possible in your own words. One way to do this is to replace some of the original words or phrases with synonyms - words that have a similar meaning.",
- "text": "Using Synonyms\n\nWhen you write a summary of a passage, you should restate information as much as possible in your own words. One way to do this is to replace some of the original words or phrases with synonyms - words that have a similar meaning. This is also known as paraphrasing. For example, look at the two sentences below:\nOriginal: Some paleontologists speculate that feathers began as a kind of insulation to keep animals or their young warm.\nParaphrase: Some experts think that feathers started as a way to keep warm.\npaleontologists ➝ experts\nbegan ➝ started\nspeculate ➝ think\ninsulation ➝ a way to keep warm\n(Note: You don't change words that don't have synonyms: feathers ➝ feathers.)\n\nOne way to find synonyms is to use a thesaurus, a type of dictionary that has synonyms and antonyms (words with opposite meaning). Not all synonyms are an exact match for a word, so it's important to understand the context in which you are using a word in order to choose the best synonym. For example, look at the following sentence:\nThe Stenocara beetle collects drinking water from the atmosphere.\nSynonyms in a thesaurus for atmosphere might include: air, sky, feeling, and mood. Only air is correct in this context.",
- "html": "
Using Synonyms
When you write a summary of a passage, you should restate information as much as possible in your own words. One way to do this is to replace some of the original words or phrases with synonyms - words that have a similar meaning. This is also known as paraphrasing. For example, look at the two sentences below:
Original: Some paleontologists speculate that feathers began as a kind of insulation to keep animals or their young warm.
Paraphrase: Some experts think that feathers started as a way to keep warm.
paleontologists ➝ expertsbegan ➝ started
speculate ➝ thinkinsulation ➝ a way to keep warm
(Note: You don't change words that don't have synonyms: feathers ➝ feathers.)
One way to find synonyms is to use a thesaurus, a type of dictionary that has synonyms and antonyms (words with opposite meaning). Not all synonyms are an exact match for a word, so it's important to understand the context in which you are using a word in order to choose the best synonym. For example, look at the following sentence:
The Stenocara beetle collects drinking water from the atmosphere.
Synonyms in a thesaurus for atmosphere might include: air, sky, feeling, and mood. Only air is correct in this context.
Read the information in the box. Use the best synonym to complete the sentences (1-3).
This design makes the bill hard but very light.
a. difficult
b. firm
The bird's feathers are stiff on one side.
a. inflexible
b. formal
The Stenocara beetle can survive in a very dry environment.
a. uninteresting
b. arid
",
- "segments": [
- {
- "html": "
Understanding Synonyms in Context
Let's approach this exercise by examining each sentence and choosing the most appropriate synonym based on the context. We'll analyze the meaning of each word in the given sentences and compare it with the provided options.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["Use the best synonym to complete the sentences"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
1. 'This design makes the bill hard but very light.'
Options: a. difficult, b. firm
Analysis: In this context, 'hard' refers to the physical property of the bill, not the level of difficulty.
'Firm' better describes the solid, unyielding nature of the bill's structure.
Therefore, the best synonym for 'hard' in this sentence is 'firm'.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["This design makes the bill hard but very light.", "b. firm"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
2. 'The bird's feathers are stiff on one side.'
Options: a. inflexible, b. formal
Analysis: 'Stiff' here describes the physical property of the feathers, not a social behavior.
'Inflexible' accurately captures the rigid, unyielding nature of the feathers.
'Formal' is more related to social contexts and doesn't fit the physical description.
Therefore, the best synonym for 'stiff' in this sentence is 'inflexible'.
The tip provided is particularly valuable for this exercise and for improving writing skills in general. Here's how it applies:
It encourages restating information in your own words, which deepens understanding.
It highlights the importance of context in choosing synonyms (e.g., 'atmosphere' → 'air' in the given example).
It suggests using a thesaurus as a tool for finding synonyms, but emphasizes the need for careful selection based on context.
The tip demonstrates how paraphrasing can maintain the original meaning while using different words (e.g., 'insulation' → 'a way to keep warm').
By applying this tip, you can enhance your vocabulary, improve your writing clarity, and develop a deeper understanding of language nuances.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["restate information as much as possible in your own words", "replace some of the original words or phrases with synonyms", "understand the context", "use a thesaurus", "Not all synonyms are an exact match for a word"]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 178,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "When you paraphrase, you can combine sentences into a single sentence.",
- "text": "When you paraphrase, you can combine sentences into a single sentence. How many sentences from the original paragraph combine to make the last sentence in the summary?",
- "html": "
When you paraphrase, you can combine sentences into a single sentence. How many sentences from the original paragraph combine to make the last sentence in the summary?
How many sentences from the original paragraph combine to make the last sentence in the summary?
",
- "additional": "
Original
Scientists are studying the adaptations of living organisms in order to use their designs in products and technologies for humans. This process is called biomimetics. Velcro is one example of biomimetics. In 1948, a Swiss scientist, George de Mestral, removed a bur stuck to his dog's fur. De Mestral studied it under a microscope and noticed how well hooks on the bur stuck to things. He copied the design to make a two-piece fastening device. One piece has stiff hooks like the ones on the bur. The other piece has soft loops that allow the hooks to attach to it.
Summary
Biomimetics involves studying the ways in which plants and animals adapt to their environments in order to develop useful products and technologies for people.
An example of biomimetics is Velcro.
A Swiss scientist, George de Mestral, observed how well a bur attached to his dog's fur.
He created a two-part fastener by mimicking the loops on the bur and the softness of the dog's fur.
",
- "segments": [
- {
- "html": "
Understanding Sentence Combination in Paraphrasing
Let's analyze how the original paragraph has been summarized, focusing on sentence combination. We'll compare the original text with the summary to identify which sentences were combined.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["How many sentences from the original paragraph combine to make the last sentence in the summary?"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Analyzing the Original Paragraph
The original paragraph contains 7 sentences:
Scientists are studying the adaptations of living organisms...
This process is called biomimetics.
Velcro is one example of biomimetics.
In 1948, a Swiss scientist, George de Mestral, removed a bur stuck to his dog's fur.
De Mestral studied it under a microscope and noticed how well hooks on the bur stuck to things.
He copied the design to make a two-piece fastening device.
One piece has stiff hooks like the ones on the bur. The other piece has soft loops that allow the hooks to attach to it.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["Scientists are studying the adaptations of living organisms", "This process is called biomimetics", "Velcro is one example of biomimetics", "In 1948, a Swiss scientist, George de Mestral, removed a bur stuck to his dog's fur", "De Mestral studied it under a microscope and noticed how well hooks on the bur stuck to things", "He copied the design to make a two-piece fastening device", "One piece has stiff hooks like the ones on the bur. The other piece has soft loops that allow the hooks to attach to it"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Examining the Summary
Now, let's look at the summary, particularly the last sentence:
d. He created a two-part fastener by mimicking the loops on the bur and the softness of the dog's fur.
This sentence combines information from the following original sentences:
Sentence 5: De Mestral studied it under a microscope and noticed how well hooks on the bur stuck to things.
Sentence 6: He copied the design to make a two-piece fastening device.
Sentence 7: One piece has stiff hooks like the ones on the bur. The other piece has soft loops that allow the hooks to attach to it.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["He created a two-part fastener by mimicking the loops on the bur and the softness of the dog's fur", "De Mestral studied it under a microscope and noticed how well hooks on the bur stuck to things", "He copied the design to make a two-piece fastening device", "One piece has stiff hooks like the ones on the bur. The other piece has soft loops that allow the hooks to attach to it"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Conclusion
The last sentence in the summary combines information from 3 sentences in the original paragraph. It effectively condenses the key points about de Mestral's observation and invention into a single, concise sentence.
",
- "wordDelay": 200,
- "holdDelay": 7000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["How many sentences from the original paragraph combine to make the last sentence in the summary?"]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "3 sentences"
- }
- ]
- },
- {
- "html": "
The Value of Sentence Combination in Paraphrasing
This exercise demonstrates the power of combining sentences when paraphrasing:
It allows for more concise summaries
It helps in identifying and focusing on key information
It encourages critical thinking about how ideas relate to each other
It can improve the flow and coherence of the paraphrased text
By mastering this skill, you can create more effective summaries and demonstrate a deeper understanding of the original text.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["When you paraphrase, you can combine sentences into a single sentence"]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- }
- ]
- },
- {
- "unit": 10,
- "title": "Mobile Revolution",
- "pages": [
- {
- "page": 186,
- "tips": [
- {
- "category": "Word Partners",
- "embedding": "Use challenge.",
- "text": "Use challenge with (adj.) biggest challenge, new challenge; (v.) accept a challenge, face a challenge, present a challenge.",
- "html": "
Use challenge with (adj.)biggest challenge, new challenge; (v.)accept a challenge, face a challenge, present a challenge.
",
- "id": "858f56f5-7a1a-4e0c-8be1-5e6e5a2483ff",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 189,
- "tips": [
- {
- "category": "CT Focus",
- "embedding": "Relating information to personal experience means comparing situations that you read about to experiences in your own life.",
- "text": "Relating information to personal experience means comparing situations that you read about to experiences in your own life. Ask yourself questions: What would I do in that situation? Have I experienced something like that? How might this idea apply to my own life?",
- "html": "
Relating information to personal experience means comparing situations that you read about to experiences in your own life. Ask yourself questions: What would I do in that situation? Have I experienced something like that? How might this idea apply to my own life?
Read the passage below and then think of situations in your past where you needed to get important information to a large group of people. How did you do it? What kind of technology did you use? Was it successful?
",
- "additional": "
Changing the World with a Cell Phone
Ken Banks does not run health care programs in Africa. He also does not provide information to farmers in El Salvador. However, his computer software1 is helping people do those things—and more.
Simple Solutions for Big Problems
Banks was working in South Africa in 2003 and 2004. He saw that there were many organizations in Africa that were trying to help people. They were doing good work, but it was difficult for them to communicate over great distances. They didn't have much money, and many didn't have Internet access. But they did have cell phones.
Banks had an idea. He created some computer software called FrontlineSMS. “I wrote the software in five weeks at a kitchen table,” Banks says. The software allows users to send information from computers without using the Internet. It can work with any kind of computer. Users install the software on a computer. Then they connect a cell phone to the computer. To send information, users select the people they want to send it to and hit “send.” The cell phone sends the information as a text message from the computer.
Solving Problems around the World
FrontlineSMS software is free. It can work with an inexpensive laptop. It works with old cell phones, too. In fact, it can work almost anywhere in the world, even in places where electricity is not very dependable. Today, people are using FrontlineSMS to send important information in more than 50 nations.
For example, Nigerians used it to monitor their 2007 election2. Voters sent 10,000 texts to describe what was happening when they went to vote. In Malawi, a rural health care program uses FrontlineSMS to contact patients. As a result, workers no longer have to visit patients' homes to update medical records. The program saves thousands of hours of doctor time and thousands of dollars in fuel costs. In other parts of the world, such as Indonesia, Cambodia, Niger, and El Salvador, farmers now receive the most current prices for their crops3 by cell phone. As a result, the farmers can earn more money.
Making Ideas Reality
FrontlineSMS is an example of taking an idea and turning it into a successful reality. So, what should you do if you have an idea for making the world a better place? Banks advises first researching your idea thoroughly. Try to find out if your idea offers something that people really need. The best way to do this kind of research is to go into the community and talk to people. Then take advantage of social media tools such as blogs, he advises. They allow you to get your message out and connect with people who have similar ideas.
Technology is not a solution by itself, but it's a useful tool for solving many of the world's great challenges. Using today's technology, Banks says, makes it faster and easier than ever to make the world a better place.
",
- "segments": [
- {
- "html": "
Understanding the Exercise
This exercise asks us to relate the information in the passage about FrontlineSMS to our personal experiences with communicating important information to large groups. Let's break down the task and then explore how we can approach it.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["think of situations in your past where you needed to get important information to a large group of people"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Key Points from the Passage
FrontlineSMS is software that allows mass communication via text messages
It works with basic technology (cell phones, inexpensive computers)
It's used in areas with limited internet access or unreliable electricity
Applications include election monitoring, healthcare updates, and sharing market information
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["FrontlineSMS", "send information from computers without using the Internet", "send important information in more than 50 nations"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Reflecting on Personal Experiences
Now, let's think about our own experiences with mass communication:
Consider situations where you needed to reach many people quickly (e.g., organizing an event, sharing urgent news)
Think about the technology you used (e.g., social media, email, text messages, phone calls)
Reflect on the effectiveness of your chosen method
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["How did you do it?", "What kind of technology did you use?", "Was it successful?"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Example Response
Here's an example of how you might answer these questions:
Situation: Organizing a school fundraiser
Method: Created a Facebook event and used group text messaging
Technology: Smartphone, social media platforms
Success: Mostly successful, reached many people quickly, but missed some who weren't on social media
Comparison to FrontlineSMS: My method worked well in an area with good internet access, but wouldn't have been as effective in areas FrontlineSMS serves
Method: Created a Facebook event and used group text messaging
Technology: Smartphone, social media platforms
Success: Mostly successful, reached many people quickly
Comparison to FrontlineSMS: Effective with good internet, but limited reach
"
- }
- ]
- },
- {
- "html": "
Analyzing Your Experience
After identifying your experience, consider these questions:
How does your method compare to FrontlineSMS in terms of accessibility and reach?
What challenges did you face that FrontlineSMS might have solved?
Are there situations where FrontlineSMS would be more effective than your method?
How might your approach need to change in areas with limited technology?
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["works with an inexpensive laptop", "can work almost anywhere in the world", "even in places where electricity is not very dependable"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
The Value of Relating to Personal Experience
By connecting the passage to your own experiences, you can:
Better understand the challenges FrontlineSMS addresses
Appreciate the importance of adapting communication methods to different contexts
Recognize the impact of technology on global communication
Develop empathy for those facing communication challenges in resource-limited areas
This approach not only deepens your understanding of the text but also helps you critically evaluate your own communication strategies and their effectiveness in different scenarios.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["Relating information to personal experience", "What would I do in that situation?", "Have I experienced something like that?", "How might this idea apply to my own life?"]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 190,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "When you take notes, remember to only note the key points.",
- "text": "When you take notes, remember to only note the key points. Don't write complete sentences. Try to use your own words as much as possible.",
- "html": "When you take notes, remember to only note the key points. Don't write complete sentences. Try to use your own words as much as possible.",
- "id": "fc18e82a-22d1-437a-8452-f7c7e68a84f8",
- "verified": true,
- "standalone": false,
- "exercise": {
- "question": "
Complete the following table with notes on “Changing the World With a Cell Phone.”
Paragraph Number
Main Idea
Supporting Details
2
How Banks got the idea for FrontlineSMS
Lived in S. Africa in 2003-04
Trouble communicating without electricity, Internet, etc., but did have cell phones
3
4
5
6
",
- "additional": "
Changing the World with a Cell Phone
Ken Banks does not run health care programs in Africa. He also does not provide information to farmers in El Salvador. However, his computer software1 is helping people do those things—and more.
Simple Solutions for Big Problems
Banks was working in South Africa in 2003 and 2004. He saw that there were many organizations in Africa that were trying to help people. They were doing good work, but it was difficult for them to communicate over great distances. They didn't have much money, and many didn't have Internet access. But they did have cell phones.
Banks had an idea. He created some computer software called FrontlineSMS. “I wrote the software in five weeks at a kitchen table,” Banks says. The software allows users to send information from computers without using the Internet. It can work with any kind of computer. Users install the software on a computer. Then they connect a cell phone to the computer. To send information, users select the people they want to send it to and hit “send.” The cell phone sends the information as a text message from the computer.
Solving Problems around the World
FrontlineSMS software is free. It can work with an inexpensive laptop. It works with old cell phones, too. In fact, it can work almost anywhere in the world, even in places where electricity is not very dependable. Today, people are using FrontlineSMS to send important information in more than 50 nations.
For example, Nigerians used it to monitor their 2007 election2. Voters sent 10,000 texts to describe what was happening when they went to vote. In Malawi, a rural health care program uses FrontlineSMS to contact patients. As a result, workers no longer have to visit patients' homes to update medical records. The program saves thousands of hours of doctor time and thousands of dollars in fuel costs. In other parts of the world, such as Indonesia, Cambodia, Niger, and El Salvador, farmers now receive the most current prices for their crops3 by cell phone. As a result, the farmers can earn more money.
Making Ideas Reality
FrontlineSMS is an example of taking an idea and turning it into a successful reality. So, what should you do if you have an idea for making the world a better place? Banks advises first researching your idea thoroughly. Try to find out if your idea offers something that people really need. The best way to do this kind of research is to go into the community and talk to people. Then take advantage of social media tools such as blogs, he advises. They allow you to get your message out and connect with people who have similar ideas.
Technology is not a solution by itself, but it's a useful tool for solving many of the world's great challenges. Using today's technology, Banks says, makes it faster and easier than ever to make the world a better place.
",
- "segments": [
- {
- "html": "
Analyzing 'Changing the World with a Cell Phone'
Let's break down the article paragraph by paragraph, focusing on the main ideas and supporting details. We'll use the note-taking strategy to capture key points concisely.
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["He created some computer software called FrontlineSMS", "I wrote the software in five weeks at a kitchen table", "send information from computers without using the Internet", "can work with any kind of computer", "connect a cell phone to the computer", "cell phone sends the information as a text message"]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-1",
- "position": "replace",
- "html": "Description of FrontlineSMS software"
- },
- {
- "target": "question",
- "targetId": "blank-2",
- "position": "replace",
- "html": "
Created in 5 weeks
Sends info without internet
Works with any computer
Connects cell phone to computer
Sends info as text message
"
- }
- ]
- },
- {
- "html": "
Paragraph 4: FrontlineSMS Accessibility
Main Idea: FrontlineSMS is widely accessible
Supporting Details:
Free software
Works with cheap laptops and old phones
Functions in areas with unreliable electricity
Used in over 50 countries
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["FrontlineSMS software is free", "work with an inexpensive laptop", "works with old cell phones", "work almost anywhere in the world", "even in places where electricity is not very dependable", "send important information in more than 50 nations"]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-3",
- "position": "replace",
- "html": "FrontlineSMS is widely accessible"
- },
- {
- "target": "question",
- "targetId": "blank-4",
- "position": "replace",
- "html": "
Free software
Works with cheap laptops and old phones
Functions in areas with unreliable electricity
Used in over 50 countries
"
- }
- ]
- },
- {
- "html": "
Paragraph 5: Real-world Applications
Main Idea: Examples of FrontlineSMS usage worldwide
Supporting Details:
Nigeria: Election monitoring (10,000 texts)
Malawi: Rural healthcare (saves time and money)
Various countries: Farmers get crop prices
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["Nigerians used it to monitor their 2007 election", "Malawi, a rural health care program uses FrontlineSMS to contact patients", "In other parts of the world, such as Indonesia, Cambodia, Niger, and El Salvador, farmers now receive the most current prices for their crops"]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-5",
- "position": "replace",
- "html": "Examples of FrontlineSMS usage worldwide"
- },
- {
- "target": "question",
- "targetId": "blank-6",
- "position": "replace",
- "html": "
Nigeria: Election monitoring (10,000 texts)
Malawi: Rural healthcare (saves time and money)
Various countries: Farmers get crop prices
"
- }
- ]
- },
- {
- "html": "
Paragraph 6: Advice for Innovators
Main Idea: Banks' advice for turning ideas into reality
Supporting Details:
Research thoroughly
Ensure idea meets real needs
Talk to community members
Use social media to connect and share
",
- "wordDelay": 200,
- "holdDelay": 8000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["Banks advises first researching your idea thoroughly", "find out if your idea offers something that people really need", "go into the community and talk to people", "take advantage of social media tools such as blogs"]
- }
- ],
- "insertHTML": [
- {
- "target": "question",
- "targetId": "blank-7",
- "position": "replace",
- "html": "Banks' advice for turning ideas into reality"
- },
- {
- "target": "question",
- "targetId": "blank-8",
- "position": "replace",
- "html": "
Research thoroughly
Ensure idea meets real needs
Talk to community members
Use social media to connect and share
"
- }
- ]
- },
- {
- "html": "
The Value of Effective Note-taking
This exercise demonstrates the importance of concise, focused note-taking:
Captures main ideas and key supporting details
Uses brief phrases instead of full sentences
Organizes information logically
Facilitates quick review and understanding
Encourages active engagement with the text
By practicing this skill, you can improve your ability to extract and retain essential information from any text you read.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["When you take notes, remember to only note the key points", "Don't write complete sentences", "Try to use your own words as much as possible"]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 193,
- "tips": [
- {
- "category": "Word Partners",
- "embedding": "Use imagine.",
- "text": "Use imagine with (v.) can / can't imagine something, try to imagine; (adj.) difficult / easy / hard to imagine; possible / impossible to imagine.",
- "html": "
Use imagine with (v.)can / can't imagine something, try to imagine; (adj.)difficult / easy / hard to imagine; possible / impossible to imagine.
",
- "id": "f5a3c6cb-9680-45c8-b38a-e5ebcaad4b68",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 197,
- "tips": [
- {
- "category": "Language for Writing",
- "embedding": "Using Modals to Discuss Abilities and Possibilities\n\nSome modals express abilities and possibilities. These modals are useful for describing solutions. Can shows present ability. Will, could, may, and might show future possibility.",
- "text": "Using Modals to Discuss Abilities and Possibilities\n\nSome modals express abilities and possibilities. These modals are useful for describing solutions.\nCan shows present ability: FrontlineSMS can work with any kind of computer.\n\nWill, could, may, and might show future possibility. The modal you choose depends on your degree of certainty. Will is most certain, could is less certain, and may and might are the least certain.\nRadio collars will solve the problem. (I'm certain of this.)\nRadio collars could solve the problem. (I'm less certain.)\nRadio collars might solve the problem. (I'm the least certain.)\nNote: Remember to use the base form of the verb after a modal.",
- "html": "
Using Modals to Discuss Abilities and Possibilities
Some modals express abilities and possibilities. These modals are useful for describing solutions.
Can shows present ability: FrontlineSMS can work with any kind of computer.
Will, could, may, and might show future possibility. The modal you choose depends on your degree of certainty. Will is most certain, could is less certain, and may and might are the least certain.
Radio collars will solve the problem. (I'm certain of this.) Radio collars could solve the problem. (I'm less certain.) Radio collars might solve the problem. (I'm the least certain.)
Note: Remember to use the base form of the verb after a modal.
Read the information in the box. Use the verbs in parentheses and the cues to complete the sentences (1-4).
This solution ____________________ (save) people a lot of money. (future possibility; less certain)
Technicians ____________________ (make) fewer mistakes with Ozcan's cell-phone microscope. (future possibility; least certain)
FrontlineSMS ____________________ (help) farmers get better prices for their crops. (present ability)
BBC Janala ____________________ (help) students who do not have the time or the money to attend classes. (future possibility; most certain)
",
- "segments": [
- {
- "html": "
Understanding Modal Verbs for Abilities and Possibilities
This exercise focuses on using modal verbs to express different levels of certainty about abilities and possibilities. Let's break down the task and approach each sentence step by step.
",
- "wordDelay": 200,
- "holdDelay": 5000,
- "highlight": [
- {
- "targets": ["question"],
- "phrases": ["Use the verbs in parentheses and the cues to complete the sentences"]
- }
- ],
- "insertHTML": []
- },
- {
- "html": "
Sentence 1: Future Possibility (Less Certain)
Verb: save
Cue: future possibility; less certain
Appropriate modal: could
Correct answer: This solution could save people a lot of money.
We use 'could' here because it expresses a future possibility with less certainty than 'will' but more certainty than 'might' or 'may'.
Understanding and correctly using modal verbs is crucial for effective communication:
They allow you to express different levels of certainty about future events
They help in discussing possibilities and abilities clearly
They add nuance to your statements, making your language more precise
In scientific or technical writing, they're essential for discussing hypotheses and potential outcomes
By mastering the use of modal verbs, you can communicate ideas about abilities and possibilities with greater accuracy and sophistication.
",
- "wordDelay": 200,
- "holdDelay": 10000,
- "highlight": [
- {
- "targets": ["additional"],
- "phrases": ["Some modals express abilities and possibilities", "These modals are useful for describing solutions", "Remember to use the base form of the verb after a modal"]
- }
- ],
- "insertHTML": []
- }
- ]
- }
- }
- ]
- },
- {
- "page": 198,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "Remember to use transition words and phrases when you describe a solution that involves a sequence of steps.",
- "text": "Remember to use transition words and phrases when you describe a solution that involves a sequence of steps.",
- "html": "
Remember to use transition words and phrases when you describe a solution that involves a sequence of steps.
",
- "id": "b70928a7-b6fe-430e-bfc2-32b15e189186",
- "verified": true,
- "standalone": true
- }
- ]
- },
- {
- "page": 200,
- "tips": [
- {
- "category": "Strategy",
- "embedding": "One way to provide support for your solution is to describe an alternative and say why it isn't as good as your solution.",
- "text": "One way to provide support for your solution is to describe an alternative and say why it isn't as good as your solution.",
- "html": "
One way to provide support for your solution is to describe an alternative and say why it isn't as good as your solution.
",
- "id": "58d66b4a-aebe-445d-a329-4385e239d84f",
- "verified": true,
- "standalone": true
- }
- ]
- }
- ]
- }
- ]
-}
\ No newline at end of file
diff --git a/modules/training_content/tips/prompt.txt b/modules/training_content/tips/prompt.txt
deleted file mode 100644
index da118cb..0000000
--- a/modules/training_content/tips/prompt.txt
+++ /dev/null
@@ -1,62 +0,0 @@
-I am going to give you an exercise and a tip, explain how to solve the exercise and how the tip is beneficial,
-your response must be with this format:
-
-{
- "segments": [
- {
- "html": "",
- "wordDelay": 0,
- "holdDelay"; 0,
- "highlight": [
- {
- "targets": [],
- "phrases": []
- }
- ],
- "insertHTML": [
- {
- "target": "",
- "targetId": "",
- "position": "replace",
- "html": ""
- }
- ]
- }
- ]
-}
-
-Basically you are going to produce multiple objects and place it in data with the format above to integrate with a react component that highlights passages and inserts html,
-these objects are segments of your explanation that will be presented to a student.
-
-In the html field place a segment of your response that will be streamed to the component with a delay of "wordDelay" ms and in the end of that segment stream the phrases or words inside
-"highlight" will be highlighted for "holdDelay" ms, and the cycle repeats until the whole data array is iterated. Make it so
-that the delays are reasonable for the student have time to process the message your trying to send. Take note that
-"wordDelay" is the time between words to display (always 200), and "holdDelay" (no less than 5000) is the total time the highlighter will highlight what you put
-inside "highlight".
-
-There are 3 target areas:
-- "question": where the question is placed
-- "additional": where additional content is placed required to answer the question (this section is optional)
-- "segment": a particular segment
-
-You can use these targets in highlight and insertHTML. In order for insertHTML to work, you will have to place an html element with an "id" attribute
-in the targets you will reference and provide the id via the "targetId", by this I mean if you want to use insert you will need to provide me the
-html I've sent you with either a placeholder element with an id set or set an id in an existent element.
-
-If there are already id's in the html I'm giving you then you must use insertHtml.
-
-Each segment html will be rendered in a div that as margins, you should condense the information don't give me just single short phrases that occupy a whole div.
-As previously said this wil be seen by a student so show some train of thought to solve the exercise.
-All the segment's html must be wrapped in a div element, and again since this div element will be rendered with some margins make proper use of the segments html.
-
-Try to make bulletpoints.
-Dont explicitely mention the tip right away at the beginning, aim more towards the end.
-
-
-Tip:
-
-
-Target: "question"
-
-
-Target: "additional"
diff --git a/modules/training_content/tips/send_tips_to_firestore.py b/modules/training_content/tips/send_tips_to_firestore.py
deleted file mode 100644
index 714e944..0000000
--- a/modules/training_content/tips/send_tips_to_firestore.py
+++ /dev/null
@@ -1,34 +0,0 @@
-import json
-import os
-
-from dotenv import load_dotenv
-
-from pymongo import MongoClient
-
-load_dotenv()
-
-# staging: encoach-staging.json
-# prod: storied-phalanx-349916.json
-
-mongo_db = MongoClient(os.getenv('MONGODB_URI'))[os.getenv('MONGODB_DB')]
-
-if __name__ == "__main__":
- with open('pathways_2_rw.json', 'r', encoding='utf-8') as file:
- book = json.load(file)
-
- tips = []
- for unit in book["units"]:
- for page in unit["pages"]:
- for tip in page["tips"]:
- new_tip = {
- "id": tip["id"],
- "standalone": tip["standalone"],
- "tipCategory": tip["category"],
- "tipHtml": tip["html"]
- }
- if not tip["standalone"]:
- new_tip["exercise"] = tip["exercise"]
- tips.append(new_tip)
-
- for tip in tips:
- doc_ref = mongo_db.walkthrough.insert_one(tip)