Maksym Batiuk commited on
Commit
417c52d
1 Parent(s): 718c578

Initial commit

Browse files
.DS_Store ADDED
Binary file (6.15 kB). View file
 
Dockerfile ADDED
@@ -0,0 +1,44 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Base image
2
+ FROM python:3.12
3
+
4
+ # Set working directory inside the container
5
+ WORKDIR /app/rag-system
6
+
7
+ # Install system dependencies
8
+ RUN apt-get update && apt-get install -y \
9
+ build-essential \
10
+ libpoppler-cpp-dev \
11
+ wget \
12
+ && apt-get clean \
13
+ && rm -rf /var/lib/apt/lists/*
14
+
15
+ RUN pip install torch torchvision torchaudio --index-url https://download.pytorch.org/whl/cpu
16
+
17
+
18
+ # Install Poetry
19
+ RUN pip install --no-cache-dir poetry
20
+
21
+ # Copy project files
22
+ COPY poetry.lock pyproject.toml /app/
23
+ COPY rag-system /app/rag-system/
24
+
25
+ # Set environment variables
26
+ ENV PYTHONPATH=/app/rag-system/src
27
+ ENV TOKENIZERS_PARALLELISM=false
28
+ ENV TORCH_CPP_LOG_LEVEL=ERROR
29
+ ENV PYTORCH_DISABLE_SYSTEM_MONITORING=1
30
+
31
+ # Configure Poetry
32
+ RUN poetry config virtualenvs.create false
33
+
34
+ # Install dependencies with Poetry
35
+ RUN poetry install --no-root --no-dev
36
+
37
+ # Run preprocessing
38
+ RUN python3 -m src.preprocessing
39
+
40
+ # Expose the app's default port
41
+ EXPOSE 7860
42
+
43
+ # Command to start the app
44
+ CMD ["python3", "app.py"]
README.md CHANGED
@@ -1,10 +1,21 @@
1
- ---
2
- title: RAG Question Answering System
3
- emoji: 🦀
4
- colorFrom: indigo
5
- colorTo: blue
6
- sdk: docker
7
- pinned: false
8
- ---
9
 
10
- Check out the configuration reference at https://huggingface.co/docs/hub/spaces-config-reference
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ **Todo List**
 
 
 
 
 
 
 
2
 
3
+ - [x] Find and download documents.
4
+ - [x] [Optional] Convert documents into TXT format
5
+ - [x] Chunk documents
6
+ - [ ] Use a third-party module
7
+ - [ ] Structure chunks by files
8
+ - [x] Implement retriever
9
+ - [ ] BM25
10
+ - [ ] Semantic search
11
+ - [x] Write an interface for using LLM
12
+ - [ ] Use LiteLLM
13
+ - [x] [Optional, additional points] Implement Reranker
14
+ - [-] [Optional, additional points] Investigate Citations: show chunks, or input files, or exact paragraph where the information is stored
15
+ - [ ] Implement Web UI
16
+ - [ ] Input query
17
+ - [ ] Output
18
+ - [ ] Select retriever ratio (30% BM25 and 70% Semantic search)
19
+ - [ ] [Optional] Show the exact chunk where the data was retrieved from
20
+ - [ ] Create a Dockerfile
21
+ - [ ] [Optional] Host the system on HF Spaces
poetry.lock ADDED
The diff for this file is too large to render. See raw diff
 
pyproject.toml ADDED
@@ -0,0 +1,21 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ [tool.poetry]
2
+ name = "nlp-rag-question-answering-system"
3
+ version = "0.1.0"
4
+ description = "RAG Question Answering system for information retrieval from the provided documents."
5
+ authors = ["Maksym Batiuk <batiukmaks@gmail.com>", "Olena Morozevych <olenka.moro@gmail.com>"]
6
+ readme = "README.md"
7
+
8
+ [tool.poetry.dependencies]
9
+ python = "^3.12"
10
+ langchain-text-splitters = "^0.3.2"
11
+ pdftotext = "^3.0.0"
12
+ numpy = "^2.2.0"
13
+ sentence-transformers = "^3.3.1"
14
+ rank-bm25 = "^0.2.2"
15
+ litellm = "^1.54.0"
16
+ gradio = "^5.8.0"
17
+
18
+
19
+ [build-system]
20
+ requires = ["poetry-core"]
21
+ build-backend = "poetry.core.masonry.api"
rag-system/.DS_Store ADDED
Binary file (6.15 kB). View file
 
rag-system/app.py ADDED
@@ -0,0 +1,173 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+ from src.rag.question_answerer import QuestionAnsweringBot
3
+ from src.rag.retriever import Retriever
4
+
5
+
6
+ def ask_question(
7
+ question: str,
8
+ model: str,
9
+ api_key: str,
10
+ semantic_usage: float,
11
+ initial_top_n: int,
12
+ final_top_n: int,
13
+ ) -> tuple[str, str]:
14
+ """
15
+ Handles question input from the user and returns the answer with relevant context chunks.
16
+
17
+ Args:
18
+ question (str): User's question.
19
+ api_key (str): The API key for LiteLLM.
20
+ semantic_usage (float): Weight for semantic usage in retrieval (0-1).
21
+
22
+ Returns:
23
+ tuple[str, str]: The answer and the relevant context chunks.
24
+ """
25
+ # Set the API key and model name
26
+ qa_bot.model = model
27
+ qa_bot.api_key = api_key
28
+
29
+ # Get the answer and context chunks
30
+ answer, contexts = qa_bot.answer_question(
31
+ question=question,
32
+ bm25_weight=(1 - semantic_usage),
33
+ initial_top_n=initial_top_n,
34
+ final_top_n=final_top_n,
35
+ )
36
+
37
+ # Format contexts as a single string
38
+ formatted_contexts = "\n".join(
39
+ [
40
+ f"Context {i}:\n{chunk}" + "\n-----------------------------------\n"
41
+ for i, chunk in enumerate(contexts, 1)
42
+ ]
43
+ )
44
+
45
+ return answer, formatted_contexts
46
+
47
+
48
+ if __name__ == "__main__":
49
+ # Initialize retriever and bot
50
+ retriever = Retriever(chunked_dir="data/chunked")
51
+ qa_bot = QuestionAnsweringBot(retriever=retriever)
52
+
53
+ # Gradio UI
54
+ with gr.Blocks() as demo:
55
+ # Add custom CSS for Montserrat font, button styling, and purple slider/checkbox
56
+ demo.css = """
57
+ @import url('https://fonts.googleapis.com/css2?family=Montserrat:wght@400;600&display=swap');
58
+
59
+ * {
60
+ font-family: 'Montserrat', sans-serif !important;
61
+ }
62
+
63
+ #custom-button {
64
+ color: #9d00ff !important;
65
+ background-color: transparent !important;
66
+ border: 2px solid #9d00ff !important;
67
+ border-radius: 5px !important;
68
+ padding: 10px 20px !important;
69
+ font-weight: bold !important;
70
+ font-size: 16px !important;
71
+ cursor: pointer !important;
72
+ }
73
+
74
+ #custom-button:hover {
75
+ background-color: #9d00ff !important;
76
+ color: white !important;
77
+ }
78
+
79
+
80
+ /* Slider bar background */
81
+ input[type="range"]::-webkit-slider-runnable-track{
82
+ background: #e4e4e4;
83
+ border-radius: 3px;
84
+ height: 8px;
85
+ }
86
+
87
+ /* Circle */
88
+ input[type="range"]::-webkit-slider-thumb {
89
+ -webkit-appearance: none;
90
+ appearance: none;
91
+ width: 15px;
92
+ height: 15px;
93
+ background: #9d00ff;
94
+ border-radius: 50%;
95
+ cursor: pointer;
96
+ }
97
+ """
98
+
99
+ # Short Description
100
+ gr.Markdown(
101
+ """
102
+ <h1 style='text-align: center; color: #9d00ff;'>RAG Contextual Answering</h1>
103
+ <p style='text-align: center;'>This tool allows you to ask questions and receive contextual answers
104
+ with relevant information from the files.</p>
105
+ """
106
+ )
107
+
108
+ # Input Section
109
+ with gr.Group():
110
+ with gr.Row():
111
+ model = gr.Textbox(
112
+ value="groq/llama3-8b-8192",
113
+ label="Model Name",
114
+ placeholder="Enter your model name here",
115
+ )
116
+ api_key = gr.Textbox(
117
+ label="API Key",
118
+ placeholder="Enter your API key here",
119
+ type="password",
120
+ )
121
+
122
+ question = gr.Textbox(
123
+ value="Which survival instincts prey have?",
124
+ label="Question",
125
+ placeholder="Type your question here...",
126
+ )
127
+ semantic_usage = gr.Slider(
128
+ label="Semantic usage (0 - only key phrases search, 1 - only semantic search)",
129
+ minimum=0, maximum=1, value=0.5, step=0.001,
130
+ )
131
+ with gr.Row():
132
+ initial_top_n = gr.Slider(
133
+ label="BM25 & Semantic Search Top N",
134
+ minimum=1, maximum=100, value=50, step=1,
135
+ )
136
+ final_top_n = gr.Slider(
137
+ label="Reranker Top N",
138
+ minimum=1, maximum=100, value=5, step=1,
139
+ )
140
+
141
+ # Submit Button
142
+ submit_button = gr.Button("Get Answer", elem_id="custom-button")
143
+
144
+ # Answer and Context Sections
145
+ answer = gr.Textbox(label="Answer", interactive=False, lines=5)
146
+ chunks_response = gr.Textbox(
147
+ label="Context Chunks",
148
+ interactive=False,
149
+ )
150
+
151
+ # Button Action
152
+ submit_button.click(
153
+ ask_question,
154
+ inputs=[
155
+ question,
156
+ model,
157
+ api_key,
158
+ semantic_usage,
159
+ initial_top_n,
160
+ final_top_n,
161
+ ],
162
+ outputs=[answer, chunks_response],
163
+ )
164
+
165
+ # Footer
166
+ gr.Markdown(
167
+ """
168
+ <h3 style='text-align: center; color: #9d00ff;'>Made by Maksym Batiuk and Olena Morozevych.</h3>
169
+ """
170
+ )
171
+
172
+ # Launch the Gradio app
173
+ demo.launch(server_name="0.0.0.0", server_port=7860)
rag-system/data/.DS_Store ADDED
Binary file (6.15 kB). View file
 
rag-system/data/chunked/10 Vertebrates F.json ADDED
The diff for this file is too large to render. See raw diff
 
rag-system/data/chunked/Bio1AL_Diveristy_Mammals.json ADDED
@@ -0,0 +1,60 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ [
2
+ "Presbytis\n\n24\n\nCapuchin monkey\n\nTalapoin monkey\n\nChimpanzee\n\nBaboon\n\nGorilla\n\nRing-tailed lemur\n\nRelative brain size: The degree of flexibility in the behavior of a\nspecies is related to both absolute and relative brain size. It is no\nsurprise that in terms of actual brain weight, the great apes are\nclosest to man. But when comparison is based on brain size\nrelative to body size it is the versatile Capuchin monkey that turns\nout to be closest to man.\n\nAverage for all mammals\n\nBrain weight relative to body size\n\n465\n165\n420\n39\n80\nActual brain weight (grams)\n\nman\n\nGorilla\n\n1330\n\n\f\n\nStation 3. Primates\n\nBODY PLAN of PRIMATES\nHands and feet: The structure of primate hands and feet varies\naccording to the ways of life of each species.\nPLEISTO\n-CENE\n\n2 MYA\n\nPLIOCENE\n\n7 MYA\n\nBaboon: long\nslender foot of\nground-living\nmonkey.\n\nGibbon: short\nopposable thumb\nwell distant from\narm-swinging\n(brachiating) grip\nof fingers.\n\nSiamang and orangutan; broad\nfoot with long grasping big toe\nfor climbing.",
3
+ "a Golden hamster carrying a baby\n\na house mouse\n\n\f\n\nStation 2. Aquatic Adaptations",
4
+ "A Grey seal (earless/true seal) swimming, with most\nof propulsive force coming from its lumbar region and\nhind flippers.\nSea lion (eared seal, note the ears in the photo)\nswimming, with most of propulsive force coming from its\nhindlimbs.\n\n\f\n\nStation 3. Primates",
5
+ "d\n\nSphenacodon\n\nf\nsq\n\n(early therapsid\nfrom Upper\nPennsylvanian)\n\nq\n\no\n\n!\n\nag\n\nAsioryctes\n\nf\n\nd\n\nsq\nrl\n\nmm\nar\n\nd\nty/ag\n\n(early placental\nmammal from\nUpper Cretaceous)\n\ncp\n\n!\n\nd\n\nAbbreviations: ag = angular; ar = articular; cp = coronoid process; d = dentary; f = lateral temporal fenestra; j = jugal; mm = attachment site for\nmammalian jaw muscles; o = eye socket; q = quadrate; rl = reflected lamina; sq = squamosal; ty = tympanic.\n\n\f\n\nStation 1A3. Mammalian Characteristics",
6
+ "About 8 days after giving birth, female rats start to produce a pheromone - an odor produced in the\ngut and broadcast via the feces - which inhibits Wanderlust in the young. It ceases to be produced\nwhen the young are 27 days old and almost weaned.\nFinally, some studies have involved a surgical removal of part of the brain which is involved with\nsmell (the main accessory olfactory bulbs). Removal of the bulbs in the Golden hamster, irrespective of\nprevious sexual experience, brings an immediate cessation of all sexual behavior. In sexually\nexperienced rats ,the operation has little effect, but in sexually naive rats the effect is as severe as in\nhamsters. Thus it appears that rats can learn to do without their sense of smell once they have gained\nsome sexual experience.",
7
+ "simpler molars, and canine teeth that are often enlarged to form tusks.\nCamels and ruminates tend to be longer-legged, walk on the central two\ntoes, and have more complex teeth suited to grinding up tough grasses.\nThey have a multi-chambered stomach called a rumin, which allows them\nrumen\nsmall\ncecum\nintestine\nto digest cellulose with the aid of fermenting microorganisms. Ruminates\nFood is chewed several times. It takes\n(cattle, goats, deer) \u201cchew the cud\u201d, which means they regurgitate and\napproximately 80 hours for digestion, and\nrechew partly-digested food.\nabout 60% of the cellulose is used.\nAbsorption of\nfermentation products\nsmall\nintestine",
8
+ "WHALES, DOLPHINS, and PORPOISES\nORDER: CETATEANS\nThe cetaceans, which total approximately 75 species, are exclusively aquatic, more completely so\nthan any other mammals; at no stage of life do they leave the water. Cetaceans range in size from the\ngigantic Blue Whale, believed to be the largest animal that has ever existed, to medium-sized dolphins\nand porpoises, some of which are only about 3 feet long. Typically a cetacean\u2019s head is joined to its\nbody without a distinct neck. Except in a few species, the head cannot be turned independently.\nCharacteristic of mammals, however, cetaceans do possess seven neck vertebrae, though much\ncompressed. In some larger whales these are fused into a single disc only a few inches thick.\nA cetacean\u2019s body is streamlined, and in some species the head is extended into a \u201cbeak.\u201d Many\nhave a definite dorsal fin consisting of a thick folded ridge of skin without a bony support, adding to",
9
+ "Ungulates (\"hoofed animal\") are mammals that use the tips of their toes, usually hoofed, to sustain their\nbodyweight while moving. They comprise the majority of large land mammals. In addition to hooves, most\nungulates have reduced canine teeth, bunodont molars (molars with low, rounded cusps), and an astragalus\n(one of the ankle bones at the end of the lower leg) with a short, robust head. Another characteristic of most\nungulates is the fusion of the radius and ulna along the length of the forelimb. This fusion prevents an\nungulate from rotating its forelimb.\nAbsorption of\nfermentation products\nEven-toed ungulates\u2019 (Artiodactyla) weight is borne roughly equally by\nthe third and fourth toes. The appearance and spread of coarse, hard-to\nreticulum omasum abomasum colon\n-digest grasses favored the development of their complex digestive\nsystems. Pigs and hippos have short legs, four toes of fairly equal size,\nsimpler molars, and canine teeth that are often enlarged to form tusks.",
10
+ "Station 4. Feeding\n\nMAMMAL TEETH\n\nincisors\ncanines\n\nDiet greatly influences teeth form and function. Carnivores have large,\nsharp canine teeth used for stabbing and tearing meat. Their\npremolars and molars have been adapted for shearing rather than\nWolf\ngrinding.\n(carnivore)\nRuminates have teeth adaptations for grinding grasses. Primitive\nherbivorous mammals have molars with separate cusps (bunodont),\ndesigned to pulp and crush relatively soft food. Fibrous vegetation is\ntough and ungulates have developed modifications of the bunodont\npattern. In addition to their bunodont molars, these grazers have\nreplaced their canines and incisors in the upper jaw with a horny pad.\nThey use this together with the lower front teeth for cropping\nvegetation.\nBunodont\nmolar seen in\npigs.\nIn perissodactyls, such as the rhinoceros,\nshearing edges (lophs) have formed by a\ncoalescing of the cusps to form two\ncrosswise lophs and one lengthwise\n(lophodont).\n\nincisors\ncanines\n\npremolars and molars",
11
+ "Station 1A1. Mammals\n\nClassification of the Major Taxa of\nMammalia\n! Phylum Chordata\n! Subphylum Vertebrata\n! Class Mammalia\n! Subclass Prototheria\n! Order Monotremata\n! Subclass Theria\n! Infraclass Metatheria\n! Order Marsupialia\n! Infraclass Eutheria\n! Order Edentata\n! Order Pholidota\n! Order Carnivora\n! Order Rodentia\n! Order Lagomorpha\n! Order Cetacea\n! Order Artiodactyla\nThese four orders\n! Order Tubuldentata\nare more closely\n! Order Dermoptera\nrelated to each\n! Order Insectivora\nother than to other\norders\n! Order Chiroptera\n! Order Primates\n! Order Perissodactyla\n! Order Hyracoidea\n! Order Proboscidea\n! Order Sirenia\n\nexamples\n\nmonotremes or egg-layers\nplatypuses, echidna\nmarsupials\nkangaroos, opossums\nplacentals\narmadillos, sloths, anteaters\npangolins\nseals, bears, wolfs, badgers\nrodents\nrabbits\ndolphins and whales\neven-toed ungulates: goats, hippos, giraffes\naardvarks\ncolugos\nmoles and shrews\nbats\nprimates\nodd-toed ungulates: horses, rhinos, tapirs\nhyraxes\nelephants\nmanatees",
12
+ "her fitness is maximized by mating with the best quality male who has already proved himself. The\notherwise solitary female Golden hamster must attract a male when she is sexually receptive. She\ndoes this by scent marking with strong-smelling vaginal secretions in the two days before her peak of\nreceptivity. If no male arrives she ceases marking, to start again two days before the next peak.\nIn gregarious species such as the House mouse, a dominant male can mate with 20 females in 6\nhours if their cycles are synchronized. The odor of urine of adult sexually mature male rodents (e.g.\nmice, voles, deer mice) accelerates not only the peak of female sexual receptivity but also the onset\nof sexual maturity in young females, and brings sexually quiescent females into breeding condition.\nThis effect is particularly strong in dominant males, whereas urine from castrated males has no such\neffect. It would appear that the active ingredient - a pheromone - is made from, or dependent upon the",
13
+ "Station 1A5. Mammalian Characteristics\n\nWhat Are the Most Common Mammals?\nWith mammals placed in proper numerical perspective vis-\u00e0-vis other animals, what about the\nrelative abundance of the different mammals themselves? Counting actual numbers of animals\nis far more difficult than numbers of species. The only way it can be done is to take a small\nsample area and laboriously count every nose in it. This has been done many times in different\nparts of the world. While results vary widely depending on the terrain and the time of year,\nnevertheless in most areas the rodents turn out to have by far the largest populations. The five\nmammals pictured here show what lives on 250 acres of sagebrush country in the western U.S.,\nbased on a study of a 2.5-acre sample area. They illustrate two general principles: 1) carnivores\n(in this case, badgers) tend to be far less numerous than the animals they eat and 2) the\nsmaller the animal, the larger its population in a given area.",
14
+ "changed as it grew. In the inconstant, unpredictable environment of the cooling Mesozoic, dinosaurs\nmay have been at a disadvantage to mammals because they required a succession of different food\nsupplies to become available exactly on cue as their young grew, and faced a protracted period when\nyoung were at a competitive disadvantage to adults. If this reconstruction is correct, then it was parental\ncare (also evolved by birds), and particularly lactation, that assured the supremacy of mammals. The\nprotracted parent-offspring bond established during nursing in turn set the scene for the subsequent\nevolution of intricate mammalian societies.",
15
+ "A NURSING MONOTREME\nThe most primitive mammals are the monotremes, whose\nmammary glands have not concentrated into milk\n-producing organs, as they have in the higher mammals.\nThe milk of the platypus, for example, seeps from a\nnumber of porelike holes in her abdomen and is lapped\nup by the little ones.\n\nNURSING MARSUPIALS\nMore advanced are the marsupials such as opossums and kangaroos shown\nhere. They have true nipples, but these are located inside a pouch, or\nmarsupium, to which their comparatively unformed babies crawl at birth. They\nlive there for several months until they are much larger and more developed.!\n\n\f\n\nStation 1C1. Mammalian Hair",
16
+ "down.\nAnother possibility is that the mammals usurped the dinosaurs\u2019 supremacy on account of one critical\ndifference: the development of lactation and parental care in mammals.\nAn Olive baboon nursing her young (right), and an Orca nursing her calf while swimming (below).\nWhen a mammalian infant sucks at its mother\u2019s nipple it may withdraw a little milk, but more\nimportantly it stimulates \u201clet-down,\u201d whereby muscles squeeze much more milk out of a honeycomb\nof tubes and cavities in the mammae; this milk collects in ducts from which it can be sucked. Some\n30-60 seconds of preliminary sucking are required to\nstimulate let-down. Thus the process is not\ncontrolled simply by nerves (as they transmit\nmessages almost instantaneously), but by a\nchemical envoy (a hormone) that travels within the\nmother\u2019s bloodstream. In fact, sucking triggers a\nnerve impulse which races to the pituitary, and in\nresponse this organ releases two chemicals into the\nblood. When these chemical couriers reach the",
17
+ "Station 1D3. The Role of Scent\nurine. However, the presence of the urine odor of an adult male will regularize all the lengthened cycles\nwithin 6-8 hours and the females will come into heat synchronously.\nFemale mice also produce a pheromone in the urine which has the effect of stimulating pheromone\nproduction in the male, but the female pheromone is not under the control of the sex glands (ovaries).\nIt is not known what controls its production. A sexually quiescent female could stimulate pheromone\nproduction in a male, which would then bring her into sexual readiness.\nIt is thought that the reproductive success of the House mouse owes much to this system of\npheromonal cuing. Although only the House mouse has been studied in such detail, parts of the model\nhave been discovered in other species and it may be of widespread occurrence.\nAbout 8 days after giving birth, female rats start to produce a pheromone - an odor produced in the",
18
+ "Harem of Elephant seals\nresting on a beach\n\nPack of wolves howling to define and\ndefend territory, and to reinforce social\nhierarchy.\n\nHerd of African savannah elephants led by a\nmatriarch\n\n\f\n\nStation 1A4. Mammalian Characteristics",
19
+ "Siamang and orangutan; broad\nfoot with long grasping big toe\nfor climbing.\n\nPROSIMIANS\n\nMIOCENE\n\nANTHROPOIDS\n\n26 MYA\nEarliest\napes\nOLIGOCENE\n\nMacaque: short\nopposable thumb in\nhand adapted for\nwalking with palm\nflat on ground.\n\nGorilla: thumb\nopposable to\nother digits, allows\nprecision grip.\n\nHand of a spider\nmonkey, showing 38 MYA\nthe much reduced\nthumb of an arm\n-swinging species.\n\nEOCENE\n\nEarliest true primates\n54 MYA\nInsectivores\n\nTamarin: long foot of branch-running\nspecies with claws on all digits except big\ntoes for anchoring (all other monkeys and\napes have flat nails on all digits)\n\nPALEOCENE\n\n65 MYA\n\nInsectivore-like primates\nCRETACEOUS\n\n\f\n\nStation 4. Feeding\n\nUNGULATES",
20
+ "WALRUSES, SEALS and SEA LIONS\nSUPERFAMILY: PINNIPEDIA\nPinnipeds include walruses (Family Odobenidae), earless (true) seals (Family Phocidae), and\neared seals (Family Otariida). On land, eared seals are much more agile than the other groups.\nWhen moving, the weight of the body is supported off the ground by the outwardly turned\nforeflippers, and the hindflippers are flexed forwards under the body. When the animal is moving\nslowly, the foreflippers are moved alternately and the hindflippers advanced on the opposite side.\nOnly the heel of the foot is placed on the ground, the digits being held up. As its speed\nincreases, first the hindflippers and then the foreflippers are moved together, the animal moving\nforward in a gallop. In this form of locomotion, the counterbalancing action of the neck is very\nimportant, the body being balanced over the foreflippers. It has been suggested that if the neck\nwere only half its length, eared seals would be unable to move on land. Walruses move in a",
21
+ "Sea otter\n\nFur seals\n\nThe skin plays an important part in maintaining a constant body temperature. Horses sweat\nprofusely over most of their bodies to cool themselves. The coyote sweats through its tongue by\npanting and depends on its fur to prevent heat loss in cold weather. Mammals must eat regularly\nto maintain their high temperatures.\n\n\f\n\nStation 1D1. The Role of Scent",
22
+ "SKELETAL ADAPTATIONS of PRIMATES\nBIPEDAL vs. ARBOREAL\nSkeletons: The quadrupedal lemurs and most monkeys, like the guenons, retain the basic\nshape of early primates - a long back, a short, narrow rib-cage, long narrow hip bones, and legs\nas long as or longer than the arms. Most live in trees and move about by running along or\nleaping between branches. Their long tail serves as a rudder or balancing aid while climbing\nand leaping. Ground-living monkeys, such as the baboons, generally have more rudimentary\ntails.\nNeither apes nor the slower-moving Prosimians have tails. In the orangutan and other apes,\nthe back is shorter, the rib cage broader and the pelvis bones more robust - features related to a\nvertical posture. Arms are longer than legs, considerably so in species, such as the gibbons and\norangutan, that move by arm-swinging (brachiation). Further dexterity of the hands has\naccompanied the development of the vertical posture in apes, some of which (and more rarely",
23
+ "even small fish become caught on the bristly fringes. The whale then\nuses its tongue to move them into its throat for swallowing. Even the\nlargest whale has a throat passageway not much larger than an orange\n- not large enough to accommodate anything the size of the Bible\u2019s\nJonah.\nThe tough, pliable baleen was one of the highly valued commercial\nproducts obtained from whales. It was used in corsets and in similar\nproducts in which stiffness with flexibility was important. Today, these\nproducts typically use plastics decreasing the need to harvest whales.\nBaleen whales can be distinguished from the toothed whales by\nhaving two blowholes instead of one. When they blow, the twin spouts\nare distinctive. In contrast to toothed whales, baleen whales do not\necholocate. Instead they often vocalize, such as the unique and\ncomplex songs of Humpback whales. Baleen whales are gentle giants\nof the ocean.!",
24
+ "HOW ABUNDANT ARE MAMMALS?\nAlthough mammals are generally considered to be the dominant and probably most diversified class of living\nvertebrates, they are far from being the most numerous. If the total numbers of species for all the major\nanimal groups are compared, mammals come out near the bottom. The sizes of the different creatures in this\ndrawing illustrate this point. The very small frog represents the 1,500 living species of amphibians.\nThen come the other vertebrate classes in order of increasing number of species:\nmammals, reptiles, birds and fishes. The large snail next in line\nrepresents the invertebrates: all the one-celled animals, all the\nworms, clams, lobsters, spiders-everything else, in short,\nexcept the insects. Strictly speaking the insects should\nshould be lumped with the other invertebrates, but there are\nso many of them-more different species than in all the other\ngroups put together-that they have been represented",
25
+ "groups put together-that they have been represented\nseparately here by the huge butterfly at the right.",
26
+ "MAMMALS\n5,000\nAMPHIBIANS\n1,500\n\nREPTILES\n6,000\n\nBIRDS\n8,600\n\nFISHES\n20,000\n\nINVERTEBRAES (EXCEPT INSECTS)\n232,000\n\nINSECTS\n700,000\n\n\f\n\nStation 1A5. Mammalian Characteristics",
27
+ "Station 1A3. Mammalian Characteristics\n\nANATOMICAL and PHYSIOLOGICAL\nFEATURES of MAMMALS\nIt would be correct to say that mammals are a group of warm-blooded animals with backbones\nand a four-chambered heart, whose bodies are insulated by hair, that have sweat glands\nincluding milk producing sweat glands that they use to nurse their infants, and that share a\nunique jaw articulation. This, however, fails to convey how these few shared characteristics\nunderpin the evolution of a group with astonishingly intricate adaptations, thrilling behavior and\nhighly complex societies. Mammals are also the group to which humans belong, and through\nthem we can understand much about ourselves. Another answer to the question \u201cWhat is a\nmammal?\u201d would therefore be that the essence of mammals lies in their complex diversity of\nform and function, and above all their individual flexibility of behavior.\n\nHarem of Elephant seals\nresting on a beach",
28
+ "RODENTS\n(Rodentia)\n5,770\n\nRABBITS\n(Lagomorpha)\n60\n\nBADGERS\n(Carnivora)\n30\n\nPRONGHORNS\n(Artiodactyla)\n10\n\nBATS\n(Chiroptera)\n8\n\n\f\n\nStation 1B1. Lactation",
29
+ "Lactation and the Rise of Mammals\nThe decline of the huge, naked, ectothermic dinosaurs may have been triggered by the cooling\nclimate of the Mesozoic era, with its daily and seasonal fluctuations in temperature. But these would\nhave affected smaller (or infant) dinosaurs more than the giants that predominated among dinosaurs,\ndue to the smaller reptile\u2019s relatively greater surface-area-to-volume ratio and hence more rapid heat\nloss. So why did the mammals finally prosper, and the dinosaurs decline?\nEarly mammals may have avoided competition with dinosaurs by becoming nocturnal, and the key\nthat unlocked this chilly niche to them may have been the evolution of endothermy (internal self\n-regulation of body temperature). In addition to allowing them to forage out of the sun\u2019s warming rays,\nendothermy may have improved mammals\u2019 competitive ability by allowing them to grow faster and\ntherefore breed more prolifically than reptiles, whose bodies more or less \u201cswitch off\u201d when they cool",
30
+ "response this organ releases two chemicals into the\nblood. When these chemical couriers reach the\nmammae, one (lactogenic hormone) stimulates the\nsecretion of milk by the glands, the other (oxytocin)\nprompts the ejection of stored milk from the nipple.",
31
+ "ODOR IN RODENT REPRODUCTION\nReproduction - from initial sexual attraction and the advertisement of sexual status through\ncourtship, mating, the maintenance of pregnancy and the successful rearing of young - is influenced,\nif not actually controlled, by odor signals.\nMale rats are attracted to the urine of females that are in the sexually receptive phase of the\nestrous cycle and sexually experienced males are more strongly attracted than naive males.\nFurthermore, if an experienced male is presented with the odor of a novel mature female alongside\nthe odor of his mate he prefers the novel odor. Females, on the other hand, prefer the odor of their\nstud male to that of a stranger. The male\u2019s reproductive fitness is most improved by his seeking out\nand impregnating as many females as possible. The female needs to produce many healthy young so\nher fitness is maximized by mating with the best quality male who has already proved himself. The",
32
+ "BALEEN WHALES\nSUBORDER: MYSTICETI\nWhales of this suborder (about 15 species) do not have functional teeth. Instead they have baleen,\nor \u201cwhalebone,\u201d frayed, flexible horny sheets of oral epithelium suspended from the hard palate. Made\nof keratin, baleen can be white, black, yellowish, or two-toned. In a large whale, more than 300 plates\nof baleen hang down like stiff curtains from the upper jaw on each side of the mouth. A plate may be as\nmuch as 12 feet long, and a foot or more in width. The outer edge (or tongue side) is extended into\nbristles that form a hair-like fringe of thin tubes. Baleen continues to grow throughout the whale\u2019s life,\nreplacing material worn away by the action of water and the tongue.\nWhen feeding, a whale swims into a swarm of small crustaceans\nwith its mouth open. As it closes its mouth, water is forced out at the\nsides and through the sieve-like screen of baleen. Small crustaceans or\neven small fish become caught on the bristly fringes. The whale then",
33
+ "Only a few thousand Blue Whales still exist. Whaling has\nreduced their numbers from an estimated 250,000. They\nare now protected by international agreements, but not all\ncountries abide by the regulations. Unfortunately, the\nregulations are not always based on the best biological\ndata, and represent the interests of whalers as much as, or\nmore than, the welfare of the whales.\n\nFlencing of a sperm whale (stripping\nthe blubber from the body) in 1958.\n\n\f\n\nStation 2. Aquatic Adaptations",
34
+ "premolars and molars\n\n\f\n\nStation 4. Feeding - Bats\n\nCHIROPTERA\nThere are two suborders of bats: megabats and microbats. The major distinctions are that:\n* Microbats use echolocation, whereas megabats do not (except for Rousettus and relatives).\n* Microbats lack the claw at the second toe of the forelimb.\n* The ears of microbats do not form a closed ring, but the edges are separated from each other at the base of the\near.\n* Microbats lack underfur; they have only guard hairs or are naked.\n* Megabats eat fruit, nectar or pollen while microbats eat insects, small amounts of blood, small mammals, and fish.\n\nMajor variations in the tail shape of bats:\n\nknee\nwrist\ntail\nuropatagium\ncalcar\n\nelbow\npropatagium\near\ntragus\n\nFoot with five toes\nplagiopatagium\n\nhumerus\nradius\n\nSheath-tailed bat\n\nFifth finger\n\nFree-tailed bat\n\nMouse-tailed bat\n\nthumb\n\nSecond finger\ndactylopatagium\nThird finger\nFourth finger\n\nMouse-eared bat\n\nTube-nosed fruit bat\n\nFlying fox\n\n\f\n\nStation 4. Feeding - Bats",
35
+ "ANATOMICAL and PHYSIOLOGICAL\nFEATURES of MAMMALS\nMammals have a few skeletal features that distinguish their class. They have three middle ear\nbones used in hearing - two of these bones derived from bones used for eating by their\nancestors. The earliest therapsids (mammal-like reptiles) had a jaw joint composed of the\ncranium (brain case)\narticular (a small bone at the back of the lower jaw) and\norbit\nthe quadrate (a small bone at the back of the upper jaw).\n(eye socket)\nReptiles and birds also use this system. In contrast,\nmammals\u2019 jaw joint is composed only of the dentary (the\nbony crest\n(occipital crest)\nlower jaw bone jaw bone that carries the teeth) and the\nincisors\noccipital condyle\nsquamosal. In mammals the quadrate and articular bones canines\nauditory bullae\nhave become the incus and malleus bones in the middle\nincisors\nlower jaw (mandible)\near.\ncheek-teeth\nMammals have a neocortex region in the brain. Most",
36
+ "THE SCENT OF A MAMMAL\nMammals are unique among animals with backbones in the potency and social importance of\ntheir smells. This quality also stems from their skin, wherein both sebaceous and sweat glands\nbecome adapted to produce complicated odors with which mammals communicate. The sites of\nscent glands vary between species: capybaras have them aloft their snout, mule deer have them\non the lower leg, elephants have them behind the eyes and hyraxes have them in the middle of\ntheir back. It is very common for scent glands to be concentrated in the ano-genital region (urine\nand feces also serve as socially important odors); the perfume gland of civets lie in a pocket\nbetween the anus and genitals and for centuries their greasy secretions have been scooped out\nto make the base of expensive perfumes. Glands around the genitals of Musk deer are a\nsimilarly unwholesome starting point of other odors (musk) greatly prized by some people. Most",
37
+ "their general fishlike appearance. A cetacean\u2019s front legs are flippers, with no exposed claws or digits.\nA much reduced bony structure for a pelvic girdle is still in evidence internally, but external hind limbs\nare lacking. The tail, which provides the principal driving force for swimming, is extended into a broad\nhorizontal appendage, separated into two flukes by a notch in the middle. The thin skin lacks hairs\nexcept for a few bristles around the mouth and on the belly in some species. Underneath the skin is a\nthick layer of blubber (mostly fat) that serves as a heat insulator as well as a\nfood reserve. Blubber may be 2 feet thick in some of the larger whales and\nmay account for more than 40 percent of the animal\u2019s total weight.\n7 neck vertebrae\na full thickness of\nblubber from an Orca",
38
+ "accompanied the development of the vertical posture in apes, some of which (and more rarely\nsome monkeys) may at times move about bipedally like man.",
39
+ "within the hypothalamus. In regulating their body temperature independent of the environment,\nmammals (and birds) are unshackled from the alternative, ectothermic, condition typical of all\nother animals and involving body temperatures rising and falling with the outside temperature.",
40
+ "cecum\n\nThe progress of food through the four stomach chambers of a cow is indicated in black. The vegetation is swallowed after\nbeing only partially chewed. It goes into two connecting chambers, the rumen and the reticulum, where it is broken down\ninto pulp by bacteria and then regurgitated as cud. After rechewing, it is passed to the other two chambers, the omasum\nand the abomasum where it is worked on by gastric juices before entering the intestine.\n\nOdd-toed ungulates (Perissodactyla) are hindgut fermenters; that is,\nthey digest plant cellulose in their intestines rather than their stomach. They\ninclude fast runners with long legs and only one toe like the horse, zebra, and\ndonkey, as well as heavier, slower animals with several functional toes like\ntapirs and rhinoceroses.\n\nstomach\n\ncolon\n\nFood is chewed once. It takes about\n48 hours for digestion, and about 45%\nof the cellulose is used.\n\n\f\n\nStation 4. Feeding\n\nMAMMAL TEETH\n\nincisors\ncanines",
41
+ "A nectar eating bat\u2019s tongue can be as much as 150% as\nlong as its body - the longest of any mammal. Nectar\ndroplets cling to the tip of the tongue when it is withdrawn\nfrom a flower.\n\nVampire bats gently scrapes the skin\nof sleeping mammals and birds, and\nlaps up the oozing blood.\n\n\f\n\nStation 4. Feeding - Bats",
42
+ "A Musk Ox, northernmost of hoofed\nmammals. Their long, coarse guard hairs\nand fine underfur exclude the arctic cold.\n\nThe vibrissae of this harbor seal are attached\nto a substantial nerve network. Tactile\ninformation is transmitted from the vibrissae\nto the brain.\n\n\f\n\nStation 1C2. Mammalian Hair",
43
+ "appear like a flashing light to a bat using a CF component. As the bat closes on the insect, the CF\ncomponent of each pulse is suppressed in amplitude and reduced to under 10 msec while the amplified\nterminal FM sweep is used for critical\nlocation and capture of the prey.",
44
+ "A cross-section of the skin and fur of\na fur seal.\n\n\f\n\nStation 1C3. Mammalian Hair\n\nHAIR FUNCTION\nEndothermy is costly. Mammals must work, expending energy either to warm or cool\nthemselves depending on the vagaries of their surroundings. There are many adaptations\ninvolved in minimizing these running costs and the most ubiquitous is mammalian hair. The coat\nmay be adapted in many ways, but there is often an outer layer of longer, more bristle-like,\nwater-repellent guard hairs that provide a tough covering for densely packed, soft underfur. The\nvolume of air trapped amongst the hairs depend on whether or not they are erected by muscles\nin the skin. Hair may protect the skin from the sun\u2019s rays or from freezing wind, slowing the\nescape of watery sweat in the desert or keeping aquatic mammals dry as they dive. Hairs are\nwaterproofed by sebum, the oil secretions of sebaceous glands associated with their roots.\n\nSea otter\n\nFur seals",
45
+ "were only half its length, eared seals would be unable to move on land. Walruses move in a\nsimilar, though much more clumsy, manner.\nOn land, true seals crawl along on their bellies, humping along by\nflexing their bodies, taking the weight alternately on the chest and\npelvis. Some, such as the elephant seal or Grey seal, use the\nforeflippers to take the weight of the body. Grey seals may also use the\nterminal digits of the foreflippers to produce a powerful grip when\nmoving on rocks. Other true seals, such as the Weddell seal, make no\nuse of the foreflippers. Ribbon and Crabeater seals can make good\nSea lion (eared seal) on land\nprogress over ice or compacted snow by\nsupporting weight with\nalternate backwards strokes of the foreflippers\nforeflippers and hindflippers\nturned out for walking.\nand vigorous flailing movements of the\nhindflippers and hind end of the body, almost as\nthough they were swimming on the surface of\nWeddell seals (true seal) on\nland with full weight on torso.",
46
+ "incisors\nlower jaw (mandible)\near.\ncheek-teeth\nMammals have a neocortex region in the brain. Most\nmammals also possess specialized teeth and utilize a placenta in their ontogeny. Mammals also\nhave a double occipital condyle: they have two knobs at the base of the skull which fit into the\ntopmost neck vertebra, whereas other vertebrates have a single occipital condyle.\nPaleontologists use the jaw joint and middle ear as criteria for identifying fossil mammals.\no\nj",
47
+ "Station 1C1. Mammalian Hair\n\nHAIR TYPES\nHair is composed of keratin and is modified epidermis. Mammalian hair is highly variable. It\nvaries in form, shape, density and color location not only within an organism but also throughout\nthe year. Most of this variability relates form and function. All hairs have a nerve plexus at their\nbase. Hair is categorized as vibrissae (whiskers), fur, or guard. Vibrissae are specialized tactile\norgans that are long, thick and are typically straight or slightly bent. Vibrissae are usually few in\nnumber and are typically found on the head or feet. Fur hairs are numerous, short, thin and are\ntypically found in a group. Guard hairs are longer, thick and are usually distributed within the fur.\nExamine a few pelts and try to identify the three types. You may even notice more than three\ntypes as some hairs in the fur are intermediate between guard and fur.",
48
+ "presence of, the male sex hormone testosterone. Male urine has such a powerful effect that if a newly\npregnant female mouse is exposed to the urine odor of a male who is a complete stranger to her she\nwill resorb her litter and come rapidly into heat. If she then mates with the stranger she will become\npregnant and carry the litter to term. The odor of the urine of females has either no effect upon timing\nof the onset of sexual maturity in young females, or slightly retards it. If female mice are housed\ntogether in groups of 30 or more and males are absent, the normal 4- or 5- day estrous cycles start to\nlengthen and the incidence of pseudopregnancy increases, indicating the power of the odor of female",
49
+ "similarly unwholesome starting point of other odors (musk) greatly prized by some people. Most\ncarnivores have scent-secreting anal sacs, whose function is largely unknown, although in the\ncase of the skunk it is quite clear enough. The evolution of scent glands has led to a multitude of\nscent-marking behaviors. Scent marks have the advantage of being a long lasting form of\ncommunication. Probably the messages being communicated include the sex, status, age and\ndiet of the sender. Most people are familiar with animals demarking their territory by leaving\ntraces of urine. Have you noticed a remarkable change in the smell of your urine after eating\nasparagus?\nskunk\nMusk deer\nIndian civet",
50
+ "incisors\ncanines\n\npremolars and molars\n\npremolars and molars\n\nDeer\n(ruminate)\nIn horses the lophs are very\ncomplex and folded\n(hypsodont).\n\nIn ruminant artiodactyls, such as\nthe ox, the cusps take on a\ncrescent shape (selenodont)\n\nRodents have no canines at all. The gap left by their absence is called\nthe diastema. Rodent\u2019s most prominent teeth are long, self\nincisors\ndiastemas\n-sharpening incisors used for gnawing. Mouse-like rodents lack\npremolars, but squirrel- and cavy-like rodents have one or two on\nPorcupine\neach side.\n(rodent)\n\npremolars and molars\n\n\f\n\nStation 4. Feeding - Bats",
51
+ "Mouse-eared bat\n\nTube-nosed fruit bat\n\nFlying fox\n\n\f\n\nStation 4. Feeding - Bats\n\nFEEDING TYPES:\nBloodsuckers and Nectar Drinkers\nIn evolution, the \u201csuccess\u201d of a species or group of species is measured by its ability to survive.\nSurvival is made more likely by a process known as adaptive radiation - the branching out of a group\nof animals into a variety of niches not previously occupied. Bats started out as insect eaters, and\nalthough the majority are still insectivorous, there are now bats that live on fruit, fish, nectar, blood,\nrodents, frogs and even other bats. With this great variability in their way of life, bats have become\nthe second largest mammalian order and are now spread over most of the globe.\n\nAn Epauletted fruit bat feeding\non wild figs.\n\nA fringe-lipped bat eating a\nt\u00fangara frog. These bats learn\nsocially the call of new prey\nfrogs through acoustic cues.",
52
+ "INSECTIVORY AND ECHOLOCATION\nSonograms show the search, approach and terminal phases of the hunt in two species of bat.\n(a) The North American big brown bat produces frequency modulated (FM) calls steeply\nsweeping from 70-30 kHz. While foraging the bat emits 5-6 pulses per second, each of about 10\nmilliseconds (msec) duration until an insect is located. Immediately the pulse rate increases, duration\nshortens, with the frequency sweep starting at a lower frequency. As an insect is caught (or just missed) the\nrepetition rate peaks at 200 per second, with each pulse lasting about 1 msec.\n(b) Hunting horseshoe bats produce their long (average 50 msec) constant frequency (CF) calls\nat a rate of 10 per second. They often feed among dense foliage. A problem facing a bat is how to\ndistinguish fluttering insect wings from leaves and twigs oscillating in the wind. While foliage produces a\nrandom background scatter of echoes, the insect with a relatively constant rapid wing beat frequency will",
53
+ "Station 2. Aquatic Adaptations\n\nTHE BLUE WHALE\nThe Blue Whale, the largest animal that has ever lived on land or in the sea, can measure\nmore than 100 feet long and weigh as much as 200 tons. Females are slightly larger than the\nmales. A Blue Whale\u2019s gigantic head is about a quarter of the animal\u2019s total length.\nBecause of its streamlined body, the Blue Whale appears to be a fast swimmer. Ordinarily its\ntop speed is only about 15 miles per hour, and\nit can continue swimming at this speed for two\nhours or longer. Harpooned whales, however,\nhave been known to go twice as fast, though\nthey cannot maintain this faster speed for a\nlong time.",
54
+ "Skeleton of a guenon\n\nSkeleton of an orangutan\n\n\f\n\nStation 3. Primates\n\nBODY PLAN of PRIMATES\nTeeth: Insectivorous precursors of primates had numerous\nteeth with sharp cusps. In Prosimians (lower primates) such\nas Lemur, the first lower premolar is almost canine-like in\nform, while the crowns of the lower incisors and canines lie\nflat to form a tooth-comb, as in bush babies, which is used in\nfeeding and grooming. In leaf-eating monkeys of the Old\nWorld, such as Presbytis, the squared-off molars bear four\ncusps joined by transverse ridges on the large grinding\nsurface that helps break up the fibrous diet. In apes such as\nthe gorilla, the lower molars have five cusps and a more\ncomplicated pattern of ridges.\n\nLemur\n\nPresbytis\n\n24\n\nCapuchin monkey\n\nTalapoin monkey\n\nChimpanzee\n\nBaboon\n\nGorilla\n\nRing-tailed lemur",
55
+ "Lactation and the Rise of Mammals\nYoung dinosaurs, like modern crocodiles, hatched as minuscule replicas of their parents; their small size\nrequired that they ate quite different food from the adults of their species. They grew slowly at a rate\ndependent upon their foraging success, gradually approaching adulthood, as feeble inferiors until they\nfinally attained full size. In contrast, the evolution of lactation enabled an infant mammal to grow rapidly\ntowards adult competence under the protection of parental care. At independence the young mammal is\nalmost fully grown and unlike the still infantile reptile of the same age, enters roughly the same niche as\nadult members of its species. For example, a Grizzly bear is born at roughly the same percentage of its\nmother\u2019s weight (1-2 percent) as was a hatching dinosaur, but remains dependent on her for protection\nfor up to 4 1/2 years. The dinosaur, on the other hand, had to fend for itself in a series of niches that",
56
+ "HAIR FUNCTION\nTwo fundamental traits of mammals lie not in their skeletons, but at the boundaries to their\nbodies - the skin. These two features are hair and skin glands, including the mammary glands\nthat secrete milk, and the sweat and sebaceous glands. None may seem spectacular, and some\nor all may have evolved before the mammal-like reptiles crossed the official divide. But these\ntraits are associated with endothermy, a condition that affects every aspect of mammalian life.\nEndothermic animals are those whose internal body temperature is maintained \u201cfrom\nwithin\u201d (endo-) by the oxidation (essentially, the burning) of food within the body. Some\nendotherms maintain a constant internal temperature (homoethermic), whereas that of others\nvaries (heterothermic). The temperature is regulated by a \u201cthermostat\u201d in the brain, situated\nwithin the hypothalamus. In regulating their body temperature independent of the environment,",
57
+ "A Greater horseshoe swoops on a butterfly. Such a battle is not necessarily one-sided.\nSome moths and butterflies have evolved listening membranes that detect the bat\u2019s\nsonar pulses giving the moth opportunity to escape. To counter this some tropical bats\nonly send out signals at wavelengths that cannot be detected by the moths.",
58
+ "Station 2. Aquatic Adaptations\n\nGrooming, which is an important subsidiary function of the limbs, is generally carried out by\nthe hindflippers in eared seals and by the foreflippers in true seals. How the Ross seal, which\nhas practically no claws, grooms itself is a mystery.\nThe anatomical differences of eared and true seals is also reflected in different swimming\ntechniques. The main source of power in the eared seal comes from the front end of the body,\nand it is here that the main muscle mass is concentrated. True seals, on the other hand, have\ntheir main muscles in the lumbar region. The muscles of the hindlimb itself are mainly\nconcerned with orientation of the limb and spreading and contracting the digits. They propel\nthemselves forward by moving their hind flippers left and right.",
59
+ "dorsal fin\nblowhole\nflukes\n\nflipper\n\nRudimentary pelvic girdle of a whale\n\n\f\n\nStation 2. Aquatic Adaptations"
60
+ ]
rag-system/data/chunked/Encyclopedia of Extinct Animals.json ADDED
The diff for this file is too large to render. See raw diff
 
rag-system/data/chunked/bless_animal_guide.json ADDED
@@ -0,0 +1,128 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ [
2
+ "14\n\n\f\n\nRed Fox Vulpes vulpes\n\nSize: The Red Fox is the size of a small dog. Its\ntotal body length measures 45-90 cm (18-35\u201d). The\nheight at the shoulder is 35-50 cm (14-20 in) and its\nweight is 2-14 kg (5-31 lb).\nDescription: It has a narrow muzzle, an elongated\nbody, relatively short limbs and a tail longer than\nhalf the body length. The long, dense and fluffy fur\nis a reddish-rusty colour on the body, while the\nchin, throat, chest and tail tip are white. The paws\nand backs of the ears are black. Other red fox\ncolours include silver/black or brown. The red fox\n15",
3
+ "called a Black Bear the coat colour varies from\nblack to blond.\nHabitat: The Black Bear prefers areas with thick\nvegetation and large quantities of edible material.\nAlthough found in the largest numbers in the wild,\nthe Black Bear can adapt to surviving in semi-urban\nregions and undisturbed rural areas as long as they\nhave accessible food and some vegetative cover.\nBehaviour: The Black Bear is highly dexterous\nwith its paws, has great physical strength and is\nsure-footed and able to run at speeds up to 48 km/hr\n(25-30 mph). It has an extremely good sense of\nsmell and has a constant need to eat as it hibernates\nthrough the winter. It is also a strong swimmer,\nregularly climbs trees to feed and escape enemies\nand may be active day or night. The black bear is\nan omnivore eating plants, berries, insects, fawns,\ncalves and carrion. Sows birth 2-3 cubs in Jan.-Feb.\nevery second year. Predators of cubs include\ncougars, coyotes, and wolves.\nConservation Status: Secure in AB\n\n19",
4
+ "39\n\n\f\n\nMephitidae (Skunks)\nStriped Skunk\n\n40\n\n\f\n\nStriped Skunk Mephitis mephitis hudsonica\n\nSize: The Striped Skunk measures 52-77 cm (2130\u201d) in total body length and usually weighs 2-6 kg\n(4-10 lb). It is similar to the size of a large\ndomestic cat. The western Canadian subspecies is\nlarger than the eastern subspecies, with a heavily\nfurred, medium-sized tail.\nDescription: It is stout, short limbed and has a\nsmall, conical head and a long heavily furred tail.\nThe fur colour generally consists of a black base\nwith a white stripe from the head along each side of\nthe back to the rump and tail. The sharp claws on\nits front feet aid in digging for insects and worms.\nIt possesses 2 scent glands on each side of the anus.\n41",
5
+ "76\n\n\f\n\nMeadow Jumping Mouse Zapus hudsonius\n\nSize: The Meadow Jumping Mouse has a body\nlength of 18-24 cm (7-9 in), including the tail\nmeasuring 11-17 cm (4-7 in) and has hind feet 3-4\ncm (1-1.4 in) long. The average adult weight is 18 g\n(0.6 oz).\nDescription: This small, slender mouse has fur that\nis dense and coarse. A broad dark brown stripe is\nalways present on its back, the sides are paler\nyellow and the underbody and feet are white. Its\nnose is short and pointy and its eyes are relatively\nbig. The enlarged hind feet and short forefeet are\ndistinctive characteristics.\nHabitat: In Alberta it is found in central and\nnorthern regions of the province. It prefers moist\ngrasslands with thick vegetated areas usually near\n77",
6
+ "wetlands, in dense grasses, alder thickets and in the\nundergrowth of forest clearings.\nBehaviour: The Arctic Shrew is solitary, territorial\nand active day and night. It has a voracious appetite\ndue to its quick metabolism and eats insects, worms\nand small invertebrates. The female gives birth to\n1-2 litters each year ranging in size from 4-10\noffspring. The only known predators are owls.\nConservation Status: Secure in AB\n\n92\n\n\f\n\nMasked Shrew Sorex cinereus",
7
+ "16\n\n\f\n\nUrsidae (Bears)\nBlack Bear\n\n17\n\n\f\n\nBlack Bear Ursus americanus\n\nSize: The adult Black Bear averages 45-200 kg\n(100-440 lb) in weight and typically measures from\n150-180 cm (59-71 in) in head and body length.\nDescription: This medium sized bear has a broad\nskull, a narrow muzzle and large jaw hinges. The\nsnout and face form a straight line. The ears are\nprominent and are set well back on the head. The\npaws are relatively large 23 cm (5-9 in) and the\nclaws are short, curved and black. Despite being\n18",
8
+ "litter size is 2 young per female. Owing to its\nsolitary nature and avoidance of humans, little is\nknown about Silver-haired Bats in Alberta. It is\nknown to be a strong flier during migration,\nhowever, this species experiences mortality at wind\nenergy projects. It is relatively resistant to white\nnose syndrome.\nConservation Status: Sensitive in AB\n\n112\n\n\f\n\nREPTILIA\n\nColubridae (Rear-fanged snakes)\nRed-sided Garter Snake\nWestern Terrestrial Garter Snake\nPlains Garter Snake\n\n113\n\n\f\n\nRed-sided Garter Snake Thamnophis sirtalis\nparietalis",
9
+ "27\n\n\f\n\nMarten Martes Americana\n\nSize: The Marten, often called a pine marten, has a\ntotal body length of 55-65 cm (22-26 in), a tail\nlength of 14-16 cm (5-6 in) and an average weight\nof .5-1.4 kg (1-3 lb).\nDescription: It can be compared to the size of a\nsmall house cat, except the Marten has a more\nslender body, shorter legs, a bushy tail and a\nfoxlike pointed face. Its body fur colour is yellowbrown with a buff-coloured bib under its chin. The\ntail and legs are dark brown. (It is lighter in colour\nand smaller than the fisher). Each foot has 5 toes\nwith sharp curved claws. Descent of trees headfirst\nis possible by rotating its hind limbs. The fur\n28",
10
+ "Behaviour: Their diet consists of earthworms,\nslugs and amphibian larvae and small mammals\nand birds. They are most active from April to late\nOctober and then hibernate in communal sites \u2013\nsink holes, burrows or rocks. They are cold tolerant\nsnakes that emerge to bask on sunny winter days.\nWhen harassed they rarely bite, but writhe to\nescape and emit a foul smelling secretion.\nConservation Status: Sensitive in AB.\n\n119\n\n\f\n\nAMPHIBIA\n\nAmbystomatidae (Mole\nSalamanders)\nWestern (Barred) Tiger\nSalamander\n\n120\n\n\f\n\nWestern Tiger Salamander Ambystoma\nmavortium",
11
+ "67\n\n\f\n\nThirteen-lined Ground Squirrel Ictidomys\ntridecemlineatus\n\nSize: Its body length is 17-30 cm (7-12\u201d), its tail is\n6-13 cm (3-5\u201d) and its weight is 110-270 g (4-10\noz).\nDescription: The Thirteen-lined Ground Squirrel\nis brown in colour, with thirteen alternating brown\nand white lines (sometimes partially broken into\nspots) on its back and sides. It is also known as the\nstriped gopher or the leopard ground squirrel.\nHabitat: It is widely distributed over grasslands\nand prairies of Alberta.\n68",
12
+ "87\n\n\f\n\nNorthern Pocket Gopher Thomomys\ntalpoides\n\nSize: The Northern Pocket Gopher on average\nweighs 110 g (4 oz) and has a body length of 20 cm\n(8 in).\nDescription: It has a thick body and neck, short fur\nand small eyes and ears. The fur colour is often rich\nbrown or yellow brown, but also can be gray with\nwhite markings under the chin. It is named for its\nlarge, external, fur lined cheek pouches used to\ncarry food and nesting materials. Long curved\nclaws on 3 digits of its forepaws are used for\ndigging.\nHabitat: It is the most commonly found true\ngopher in Alberta, using fields, prairie and alpine\n88",
13
+ "54\n\nDave Conlin\n\nBeaver\n\n57\n\nTim Osborne\n\nRed Squirrel\n\n60\n\nDave Conlin\n\nNorthern Flying Squirrel\n\n62\n\nWoodchuck\n\n64\n\nRichardson\u2019s Ground Squirrel\n\n66\n\nDr. Robert Lane\n\nThirteen-lined Ground Squirrel\n\n68\n\nNick Parayko\n\nLeast Chipmunk\n\n70\n\nDave Conlin\n\nMuskrat\n\n73\n\nTim Osborne\n\nWestern Deer Mouse\n\n75\n\nMeadow Jumping Mouse\n\n77\n\nWestern Jumping Mouse\n\n79\n\nWestern Meadow Vole\n\n81\n\nSouthern Red-backed Vole\n\n83\n\nNorthern Bog Lemming\n\n85\n\nNorthern Pocket Gopher\n\n88\n\nArctic Shrew\n\n91\n\nMasked Shrew\n\n93\n\n137\n\nScott Heron via Creative\nCommons ShareAlike\nSimon Barrette \u201cCephas\u201d\nvia Creative Commons\n\nMissouri Dept of\nConservation\nU.S. Fish and Wildlife\nService via Creative\nCommons\nU.S. Forest Service via\nCreative Commons\n\u201cJapanese Tea\u201d via Creative\nCommons\nDr. Gordon Robertson via\nCreative Commons\nMarco Valentini\nU.S. National Park Service\nvia Creative Commons\nAndrew Polandeze via\nCreative Commons\nJennifer Edalgo, Illinois\nDepartment of Natural\nResources\n\n\f\n\nPygmy Shrew\n\n95",
14
+ "winter it groups together with others for denning or\nfood. It does not hibernate. One young is born from\nMay to July. Predators include coyotes, bears,\ncougars and owls.\nConservation Status: Least Concern in AB",
15
+ "79\n\n\f\n\ndominated by alder, aspen or willow, where there is\ndense vegetation close to fresh water.\nBehaviour: The Western Jumping Mouse is\nnocturnal but the feeding ground can be identified\nby small piles of grass stems stripped of their seeds\nand by the presence of clear runways strewn with\ngrass clippings. It is an omnivore and eats seeds,\nherbs, fruits, fungi and insects. It hibernates 8-10\nmonths of the year subsisting on its fat reserves.\nAlthough it normally moves by making short hops\nand leaps, the leaps may reach 72 cm (28 in) along\nthe ground and 30 cm (12 in) into the air. A litter of\n4-8 pups is born once a year. Predators include\nbobcats, coyotes, weasels, skunks, raccoons, snakes\nand birds of prey.\nConservation Status: Secure in AB\n\n80\n\n\f\n\nWestern Meadow Vole Microtus Drummondii",
16
+ "wooded river flats and coulees. Brushy patches\nprovide food and good cover, in which even the\nlargest white-tail is difficult to see.\nBehaviour: The diet of White-tailed Deer\nincludes grasses, forbs, chokecherry, saskatoon and\nother shrubs. All deer are ruminants meaning they\nferment plant material before digesting it. They\noften bed down in the afternoon to digest their\nfood. One or two fawns are born to each doe in the\nspring. Fawns are left for long periods of time\nalone, however, their camouflage and lack of smell\nhelp to protect them. White-tailed Deer are very\nwary, and when alarmed they move rapidly\nbounding away in smooth, graceful leaps. Predators\ninclude wolves and cougars. Bobcats, lynx, bears,\nwolverines and packs of coyotes, usually prey\nmainly on fawns.\nConservation Status: Least Concern in AB\n\n50\n\n\f\n\nMule Deer Odocoileus hemionus",
17
+ "the ears. The bushy tail is orange-brown in colour\nand almost the same length as the body.\nHabitat: In Alberta, it lives in all of the province\nexcept the south-western region. It is commonly\nfound in sagebrush, coniferous woodland, along\nrivers, in alpine meadows and on the edges of the\nnorthern tundra.\nBehaviour: It can often be seen perched on its hind\nlegs holding food in its front paws while it eats. It\nmay also be seen with its stretchy cheek pouches\nfilled with food it collects and stores in its burrow\nor in small holes it has dug in the ground. It eats\nseeds, berries, nuts, fruits and insects. In summer,\nthis chipmunk has a nest in a tree, but in winter it\nuses a burrow with 2-4 entrances. These burrows\nare very hard to find because they never leave dirt\npiles at the entrances. The least chipmunk\nhibernates but wakes to eat food cached in the\nburrow. Females have a litter of 3-7 young each\nyear. Predators include hawks, owls and weasels.\nConservation Status: Secure in AB",
18
+ "99\n\n\f\n\nWhite-tailed Jackrabbit Lepus Townsendii\n\nSize: White-tailed Jackrabbits measure 56-65 cm\n(22-26 in) in length, including the tail 7-10 cm (3-4\nin). They weigh between 3-4 kg (6-10 lb).\nDescription: The fur colour of the White-tailed\nJackrabbit is dark brown or gray-brown with pale\ngray underparts. The large ears are distinctive with\nblack tips. The tail is white with a dark central\nstripe above. They moult in autumn and become\nwhite all over except for the ears. They have long,\npowerful hind legs and are excellent at running.\n\n100",
19
+ "the day. It navigates using echolocation along the\nedges of vegetated habitat, bodies of water or\nstreams and eats mosquitos, spiders, beetles, moths\nand various flies. It can consume 600-1000\nmosquitoes or other flying bugs per hour and will\neat more than half its own body weight each night.\nSome of these bats hibernate in caves or old mines\nlocally, however, others migrate to the northern US.\nThe litter size is one pup per year. Predators\ninclude hawks, owls and snakes. The little brown\nbat is susceptible to rabies and white nose\nsyndrome (an introduced fungus), which has caused\na heavy decline in the population of many bat\nspecies.\nConservation Status: May be at Risk in AB\n\n104\n\n\f\n\nBig Brown Bat Eptesicus fuscus",
20
+ "industry refers to its high value fur as Canadian\nsable.\nHabitat: The Marten is found across the northern\nhalf of Alberta. It prefers mature coniferous forest\nwith downed logs and cavities in trees, but is also\nfound in young mixed woods forest.\nBehaviour: Ferocious describes this nocturnal little\npredator, but it can be seen in the daytime as well.\nDuring the spring and summer, the male is active\nfor about 16 hrs. a day and the female 6-8 hrs.,\nmostly travelling on the ground. During the winter,\nthe marten may only hunt for a few hours in the\nwarmest part of the day and usually under the\nsnow. Its diet consists of voles, the preferred prey,\nsquirrels, small rodents, snowshoe hares, bird eggs,\nberries and fish. In summer its den is a leaf-lined\nnest in a tree cavity, fallen logs or root masses of\nfallen trees, while in winter only the ground level\nsites are used. The litter size averages 1-5 young.\nPredators include fisher, coyote, lynx and great\nhorned owl.",
21
+ "eggs and nestlings, buds and flowers. Predators\ninclude owls, hawks, lynx, marten and red fox.\nConservation Status: Secure in AB",
22
+ "Habitat: Native to short grass prairies, the\nRichardson\u2019s Ground Squirrel is found in central\nand southern Alberta. The range of this squirrel\nexpanded as forests were cleared to create\nfarmland. It is quite at home in urban areas with\nberms or vacant properties for burrows.\nBehaviour: Richardson\u2019s Ground Squirrels live\ncommunally. Individuals give audible alarm calls\nwhen predators approach their colony (a whistle for\na terrestrial predator and a chirp for an aerial\npredator). They can hibernate for up to 8 months\nfrom July to March. Each adult female owns a\nburrow system with 5-7 exits and 2-5 sleeping\nchambers. These animals are omnivores, eating\nseeds, nuts, grains, grasses and insects. Their litter\naverages 6 young per year. Predators include\nhawks, owls, snakes, weasels, badgers and coyotes.\nConservation Status: Secure in AB\n\n67\n\n\f\n\nThirteen-lined Ground Squirrel Ictidomys\ntridecemlineatus",
23
+ "year of 6-8 young. Their diet consists of 95% plants\nsuch as cattails and pond weeds. They also eat\nfreshwater mussels, frogs, salamanders and small\nfish. Predators are mink, foxes, coyotes, lynx,\nwolves, bears, eagles, owls and hawks. Large\npredatory fish, such as northern pike, are known to\ntake young kits.\nConservation Status: Secure in AB\n74",
24
+ "61\n\n\f\n\nNorthern Flying Squirrel Glaucomys\n\nsabrinus\n\nSize: The adult Northern Flying Squirrel measures\nfrom 25-37 cm (10-15 in) long and weighs on\naverage 110-230 g (4-8 oz).\nDescription: It has thick light brown or cinnamon\ncoloured fur on its upper body, gray fur on the\nflanks and whitish fur on the underparts. It has\nlarge eyes, long whiskers and a flat tail.\nHabitat: The Northern Flying Squirrel is found in\nmost of Alberta except for the south-east part of the\n62",
25
+ "117\n\n\f\n\nPlains Garter Snake Thamnophis radix\n\nSize: Plains garter snakes average 0.91 m (3 ft.) in\nlength.\nDescription: This slender snake is greenish to grey\nolive or brown with an orange or yellow stripe\ndown its back and black bars on its lip. Lateral\nstripes are greenish yellow. The belly is grey-green\nwith small dark spots along the edges and the head\nhas distinctive light yellow spots on top.\nHabitat: These garter snakes are commonly found\nnear streams and ponds and in urban areas. Mating\noccurs in April and May near the communal\nhibernation site, 5-40 young are born alive from\nJuly on and are about 18cm (7in) long.\n118",
26
+ "102\n\n\f\n\nLittle Brown Bat Myotis lucifugus\n\nSize: The Little Brown Bat is a small species with\nweight at 6-13 g (0.2-0.4 oz), body length at 8-10\ncm (3-4\u201d) and wingspan at 22-27 cm (9-11\u201d).\nDescription: The fur colour of this bat ranges from\npale tan to red or dark brown and is glossy in\nappearance. The belly fur is a lighter colour. It has\na short snout, small eyes and long ears.\nHabitat: Alberta\u2019s most common bat, the Little\nBrown Bat is found across the province, including\nfarms, towns and cities.\nBehaviour: This bat is nocturnal, foraging for its\ninsect prey at night and roosting in tree hollows,\nrocky outcrops, caves and human structures during\n103",
27
+ "Habitat: It inhabits most of Alberta except the\nsouth-east corner of the province. It prefers boreal\nforest with dense cover of shrubs, reeds and tall\ngrass and with a cold, snowy winter.\nBehaviour: Lynx make sounds like a very loud\nhouse cat. Due to its elusive nature, it is rare to see\none. Although this cat hunts on the ground, it can\nclimb trees and swim swiftly. The Lynx feeds\nalmost exclusively on snowshoe hares, however, it\nwill hunt squirrels, rodents, fawns, fish and birds if\nnecessary. It constructs rough shelters under\ndeadfall trees or rocky cavities. The female gives\nbirth to 1-4 kittens. Predators include cougars,\nwolves and coyotes.\nConservation Status: Sensitive in AB\n\n22\n\n\f\n\nMustelidae (Weasels)\nWolverine\nBadger\nMarten\nMink\nFisher\nLeast Weasel\nLong-tailed Weasel\nShort-tailed Weasel\n\n23\n\n\f\n\nWolverine Gulo gulo",
28
+ "120\n\n\f\n\nWestern Tiger Salamander Ambystoma\nmavortium\n\nSize: The Western or Barred Tiger Salamander is\nthe largest terrestrial salamander in North America,\nfrom 15 to 22cm (6-9in) - even up to 30cm (12\u201d)\nlong.\nDescription: It has a broad head and a sturdy body.\nThe back is grey, dark brown or black with muddy\nyellow markings giving a tiger-like appearance.\nThe belly is light to dark. Salamanders are an\nextremely variable, and hence, complex group of\nspecies with a lot of variability amongst and\nbetween species. They are found from southwestern\nCanada in British Columbia, Alberta,\nSaskatchewan, and Manitoba, south through the\n121",
29
+ "Soricidae (Shrews)\nArctic Shrew\nMasked Shrew\nPygmy Shrew\n\n90\n\n\f\n\nArctic Shrew Sorex arcticus\n\nSize: The body length of the Arctic Shrew ranges\nfrom 10-12 cm (4-5 in) including a 4 cm (2 in) long\ntail. It weighs 5-13 g (0.2-0.5 oz).\nDescription: The Arctic Shrew is most distinctive\nin its tri-coloured fur. It is dark brown or black on\nits back, lighter brown on its flanks and lighter still\ngray-brown on its underside. The fur is grayer in\nwinter. The head is long with a pointed nose and\nthe eyes and ears are very small.\nHabitat: The Arctic Shrew is present in the central\nand northern regions of Alberta. This shrew is\nfound in greatest quantity and density near bodies\nof water such as lakes, streams, marshes and\n91",
30
+ "streams, ponds and marshes. It avoids heavily\nwooded areas.\nBehaviour: The Meadow Jumping Mouse can\njump 2-3 feet, which is a long distance for its size.\nIt is a decent swimmer and will jump into water\nwhen in danger. When constructing its burrow, it is\nan excellent digger. On average 2-9 young are born\nin a litter, 2-3 times a year. It eats seeds primarily,\nbut also berries, fruit and insects. Hibernation lasts\nfrom fall until spring. Predators include owls,\nfoxes, hawks and weasels.\nConservation Status: Secure in AB\n\n78\n\n\f\n\nWestern Jumping Mouse Zapus princeps",
31
+ "rodents. It runs with a bounding gait, climbs trees\nand swims well. In May, 5-6 kits are born, usually\nin an abandoned muskrat den. Predators include\ngreat horned owls, red foxes, wolves and black\nbears.\nConservation Status: Secure in AB\n\n31\n\n\f\n\nFisher Martes pennanti\n\nSize: The Fisher has a body length of 50-70 cm\n(20-28 in) and a tail 30-42 cm (12-17 in). It weighs\nfrom 1.5 -6 kg (3-13 lb).\nDescription: It is a house cat sized member of the\nweasel family with a long slender body, short legs,\na bushy tail and rounded ears set close to its head.\nIts large feet with hairy soles have 5 toes and sharp\npartially retractable claws enabling it to move\neasily in trees. Its hind ankle joints, which can\nrotate almost 180 degrees, enable it to descend a\ntree headfirst. Its fur colour is medium to dark\nbrown, sometimes with a cream chest patch. While\n32",
32
+ "23\n\n\f\n\nWolverine Gulo gulo\n\nSize: An adult Wolverine is about the size of a\nmedium dog with a length from 65-107 cm (2642\u201d), a tail of 17-26 cm (7-10\u201d) and a weight of 625 kg (12-55 lb).\nDescription: The Wolverine is stocky and\nmuscular with short legs, a broad, rounded head,\nsmall eyes and short rounded ears. Its large fivetoed paws have crampon-like claws enabling it to\neasily climb up trees and steep rocky cliffs. Its thick\nfur ranges in colour from dark brown to a burnt\n24",
33
+ "Pygmy Shrew\n\n95\n\nPhil Myers via Creative\nCommons\n\nSnowshoe Hare\n\n98\n\nDave Conlin\n\nWhite-tailed Jackrabbit\n\n100\n\nDept. Wildlife, State of\nUtah\n\nLittle Brown Bat\n\n103\n\nNick Parayko\n\nBig Brown Bat\n\n105\n\nHoary Bat\n\n107\n\nNorthern Long-eared Bat\n\n109\n\nSilver Haired Bat\n\n111\n\nRed-sided Garter Snake\n\n114\n\nWestern Terrestrial Garter\nSnake\n\n116\n\nCreative Commons\n\nPlains Garter Snake\n\n118\n\nNick Parayko\n\nWestern Tiger Salamander\n\n121\n\nDave Conlin\n\nWestern Toad\n\n124\n\nDave Conlin\n\nCanadian Toad\n\n126\n\nDave Conlin\n\nBoreal Chorus Frog\n\n129\n\nDave Conlin\n\nWood Frog\n\n132\n\nTim Osborne\n\nNorthern Leopard Frog\n\n134\n\nBalcer via Creative\nCommons\n\n138\n\nLarry Master\n(masterimages.org)\nPaul Cryan, U.S. Geological\nSurvey via Creative\nCommons\nJomegat via Creative\nCommons\nFish and Wildlife Service,\nState of Kentucky\nLarry Master\n(masterimages.org)\n\n\f\n\n139\n\n\f\n\nProduced by:\nBig Lake Environment Support\nSociety\nP.O. Box 65053\nSt. Albert, Ab T8N 5Y3\nwww.bless.ab.ca\n\n$10, all\nproceeds go to\nBLESS\nprograms.",
34
+ "is lightly built enabling it to have a running speed\nof 50 km/h.\nHabitat: The Red Fox inhabits the entire province\nof Alberta, living on the edges of wooded areas,\nprairies and farmlands as well as towns and cities.\nBehaviour: These shy, curious animals favour\nliving in the open, usually in densely vegetated\nareas, though they may enter burrows to escape bad\nweather. They are great hunters, due to their acute\neyesight, hearing and sense of smell. They eat small\nrodents, birds, insects, porcupines, raccoons,\nreptiles, fruit, grasses, sedges and tubers. Small\ndogs and cats are also taken in urban areas. They\nare largely nocturnal so much of their hunting is\ndone at night but they can often be seen during the\nday. The vixen gives birth to 4-6 kits in the spring\nand raises them in a den. Predators include wolves\nand coyotes, as well as eagles, and large owls will\ntake the kits.\nConservation Status: Secure in AB\n\n16\n\n\f\n\nUrsidae (Bears)\nBlack Bear\n\n17\n\n\f\n\nBlack Bear Ursus americanus",
35
+ "115\n\n\f\n\nWestern Terrestrial Garter Snake\nThamnophis elegans vagrans\n\nSize: These medium sized snakes are usually 46104 cm (18-41 in.) long.\nDescription: The body is brown, grey or greenish\nwith a yellow, light orange or white dorsal stripe\nand 2 side stripes of the same colour. It is an\nimmensely variable species, and even the most\nexperienced herpetologists have trouble when it\ncomes to identification.\nHabitat: Terrestrial Garter Snakes are found in\ngrasslands and woodlands and prefer wetland\nhabitats to hunt and hide. They mate in spring\nproducing live young in litters of 1-24, from July to\n116\n\n\f\n\nSeptember. Newborns are 17-23cm (7-9.5in) long.\nNo parental care is given.\nBehaviour: This species has a mild venomous\nsaliva that immobilises prey but is harmless to\nhumans. They constrict prey but rather\ninefficiently. If harassed, they may emit a repulsive\nsecretion from their rear end. They eat soft bodied\ninvertebrates, frogs, mice and fish.\nConservation Status: Sensitive in AB.",
36
+ "110\n\n\f\n\nSilver-haired Bat Lasionycteris noctivagans\n\nSize: The length of body of the Silver-haired Bat is\n10 cm (4\u201d), the weight is 8-12 g (0.3-0.4 oz) and\nnotably, its wingspan is up to 30 cm (12\u201d).\nDescription: This medium sized bat is nearly black\nwith white tipped hairs on its back. Its flight pattern\nis slow and leisurely, often close to the ground.\nHabitat: It is found primarily in forested areas in\ncentral and southern Alberta, although it appears to\nbe present in southern Alberta only during the\nspring and fall migrations.\nBehaviour: The Silver-haired Bat uses tree roosts\nin summer. It may be found alone or in small\ngroups under bark, in abandoned bird\u2019s nests, in\nhollow trees, or hanging upside down among the\nleaves throughout the forests in central Alberta. The\n111",
37
+ "Western Deer Mouse Peromyscus\nsonoriensus\n\nSize: The Western Deer Mouse body is 8-10 cm (34 in) long not including the tail, which averages 513 cm (2-5 in). It weighs 18-35 g (0.6- 1 oz).\nDescription: Large beady black eyes and large\nears give the Deer Mouse good sight and hearing.\nThe colour of the fur varies from gray to red brown,\nbut all deer mice have a white underside and white\nfeet. The tail is long and multicoloured. They are\nvery similar to the Eastern Deer Mouse.\nHabitat: The Western Deer Mouse is found\nthroughout Alberta in forests, prairies and deserts,\n\n75",
38
+ "80\n\n\f\n\nWestern Meadow Vole Microtus Drummondii\n\nSize: The Western Meadow Vole has an average\nlength of 16 cm (7 in) and weight of 37 g (1 oz).\nDescription: It is compact and stocky with short\nlegs and tail and a rounded muzzle and head. The\nfur is dark brown and velvety with a gray-coloured\nbelly. It turns white in winter. Its broad feet have\nstrong claws for digging in soil. These voles have\nshort ears that barely protrude from the fur\nsurrounding them.\nHabitat: It is present in all of Alberta but prefers\nmoist, dense grasslands near streams, lakes, ponds\nand swamps. Overhead grass cover is essential.\nBehaviour: The Western Meadow Vole is active\nyear-round, day or night because it has to eat\n81",
39
+ "Animal Guide\nto Lois Hole Centennial Provincial Park,\nAlberta\n\nBig Lake Environment Support Society\n\n\f\n\nCredits\nTechnical information\nAlberta Environment data on species in Alberta, and some text\nfrom Wikipedia, some of which was modified for the Big Lake\nregion of Alberta.\nPhotographs\nLocal photographers were approached for good quality\nimages, and where good photographs were not available then\nfreely available images from Wikipedia were used (see page\n136 for individual photo credits).\nFunding\nCity of St. Albert, Environmental Initiatives Grant 2021\nCreation and Review\nLinda Brain, Lyn Druett, Miles Constable\nBig Lake Environment Support Society\nProduced by\nBig Lake Environment Support Society\nP.O. Box 65053\nSt. Albert, Ab T8N 5Y3\nwww.bless.ab.ca\nFor information contact info@bless.ab.ca\n\n3\n\n\f\n\nAnimal Guide\nto Lois Hole Centennial Provincial\nPark, Alberta\n\n2022\n4\n\n\f\n\nLocation of Lois Hole Centennial\nProvincial Park, Alberta",
40
+ "55\n\n\f\n\nCastoridae (Beavers)\nBeaver\n\n56\n\n\f\n\nBeaver Castor canadensis\n\nSize: The Beaver is the largest N. American rodent\nweighing from 20-35 kg (44-77 lb). The body\nlength varies from 74-90 cm (29-35 in) and the tail\nmeasures 20-35 cm (8-14 in).\nDescription: The fur is a red-brown colour. The\nflat scaly tail is used as a rudder, as a prop when\nstanding, as a lever when dragging logs and as a\nwarning when slapped on the water. The digits and\nclaws of the forepaws are long and delicate to aid in\nhandling wood and the digits of the hind feet are\nbroad with webbing to propel the animal through\nthe water.\n\n57",
41
+ "of individuals declines in the northern regions.\nThese bats roost in colonies within a small local\narea and usually forage within 3-4 km of their day\nroost.\nBehaviour: The big brown bat is nocturnal,\nroosting in sheltered places during the day. Roosts\ninclude tree cavities, wood piles, rock crevices,\ncaves and buildings. Although little is known about\ntheir hibernation in Alberta, the number of big\nbrown bats found in Edmonton is greater in winter\nthan in summer. It is thought that the bats move\ninto the city to use old warehouses, where\ntemperatures remain just above freezing. Their diet\nconsists of a diverse array of night flying insects,\nespecially beetles. This bat is a significant predator\nof agricultural pests. One pup per female is born\nfrom May to June. Known predators include\ncommon grackles, American kestrels, owls and\nlong-tailed weasels. These bats are relatively\nresistant to white nose syndrome.\nConservation Status: Secure in AB\n\n106\n\n\f\n\nHoary Bat Aeorestes cinereus",
42
+ "50\n\n\f\n\nMule Deer Odocoileus hemionus\n\nSize: Mule Deer have a height of 80-106 cm (3142\u201d) at the shoulder and a nose to tail length of 1-2\nm (4-7\u2019). Adult bucks weigh 92 kg (203 lb) on\naverage. Does are smaller and typically weigh 68\nkg (150 lb).\nDescription: Their ears are large like those of the\nmule. The coat ranges from dark brown gray, dark\nand light gray to brown and even reddish. They\n51",
43
+ "shelter. Predators are few but include cougar, bears\nand humans.\nConservation Status: Secure in AB",
44
+ "85\n\n\f\n\nBehaviour: This small rodent is active year-round\nday and night. It makes runways through the\nsurface vegetation and also digs underground\nburrows. In winter, it burrows under the snow. The\ndiet for this lemming consists of grasses, sedges,\nother green vegetation, mosses as well as snails and\nslugs. Females can have 2-3 litters of 4-6 young in\nonly a 4 month breeding season. Predators include\ncoyotes, red fox, owls, hawks, weasels and snakes.\nConservation Status: Secure in AB\n\n86\n\n\f\n\nGeomyidae (Pocket Gophers)\nNorthern Pocket Gopher\n\n87\n\n\f\n\nNorthern Pocket Gopher Thomomys\ntalpoides",
45
+ "Behaviour: Hares and mice are the most important\nprey species for coyotes, but dead livestock, deer\nand moose are often the most important winter\nfood. Blueberries and other fruits are heavily used\nin season. Lately, urban Coyotes have been taking\nsmall dogs and cats. They seldom hunt in packs\nunless hunting large prey. Occasionally they hunt\nwith Badgers chasing down rodents escaping from\na digging Badger. For a natal den, the female\nenlarges a rodent burrow. A litter of 5-7 pups is\nborn in April or May. Predators are wolves,\ncougars, black bears and lynx.\nConservation Status: Least Concern in AB\n\n12\n\n\f\n\nGray Wolf Canis lupus",
46
+ "58\n\n\f\n\nSciuridae (Squirrels)\nRed Squirrel\nNorthern Flying Squirrel\nWoodchuck (Groundhog)\nRichardson\u2019s Ground Squirrel\nThirteen-lined Ground Squirrel\nLeast Chipmunk\n\n59\n\n\f\n\nRed Squirrel Tamiaschiurus hudsonicus\n\nSize: The body length of the Red Squirrel is 28-35\ncm (11-14\u201d) including the tail, which is half the\nlength of the body. Its weight is 200-250 g (7-9 oz).\nDescription: It is a small squirrel but somewhat\nlarger than the chipmunk. Its fur can range in\ncolour from rusty red to grey-brown on their backs\nto stark white on their throats, bellies and rings\naround their eyes. It has sharp, curved claws which\nenable it to easily climb and descend trees. The big,\nbushy tail is used for balance when jumping from\n60",
47
+ "Contents\nCREDITS ........................................................................... 3\nCANIDAE (WOLVES, COYOTES AND FOXES) ...... 10\nCOYOTE CANIS LATRANS ................................................. 11\nGRAY WOLF CANIS LUPUS ............................................. 13\nRED FOX VULPES VULPES............................................... 15\nURSIDAE (BEARS) ........................................................ 17\nBLACK BEAR URSUS AMERICANUS.................................. 18\nFELIDAE (CATS) ........................................................... 20\nCANADA LYNX LYNX CANADENSIS.................................. 21\nMUSTELIDAE (WEASELS) ......................................... 23\nWOLVERINE GULO GULO ............................................... 24\nBADGER TAXIDEA TAXUS ................................................ 26\nMARTEN MARTES AMERICANA ........................................ 28\nMINK NEOVISON VISON .................................................. 30",
48
+ "Leporidae (Hares)\nSnowshoe Hare\nWhite-tailed Jackrabbit\n\n97\n\n\f\n\nSnowshoe Hare Lepus americanus\n\nSize: The adult Snowshoe Hare measures 41-52 cm\n(16-20 in) in total body length with a tail 4-5 cm\n(1.5-2 in) long. It weighs about 1.5 kg (2-4 lb).\nDescription: The Snowshoe Hare has very broad\nhind feet which prevent the animal from sinking\ninto the snow. The feet also have fur on the soles to\nprotect them from freezing temperatures. In\nsummer, the fur colour is grizzled reddish or gray\nbrown, while in winter, its coat turns completely\nwhite except for black tips on the ears.\nHabitat: It is widely distributed across almost all\nof Alberta except for the southernmost region. It\ninhabits boreal forests preferably with a dense\nshrub layer, as well as treed coulees and river\n98",
49
+ "33\n\n\f\n\nLeast Weasel Mustela nivalis\n\nSize: The Least Weasel is a small carnivore, with a\nbody length, including the tail of 20 cm (8\u201d) and a\nweight of 70 g (3 oz).\nDescription: It has a small head with short oval\nears, black beady eyes and a pointed nose. Its body\nis long and slender turning brown in summer with\nwhite on the belly and white in winter, with a few\nblack hairs on the tip of its tail.\nHabitat: The Least Weasel is found in all natural\nregions of Alberta, particularly in fields, meadows,\nriverbanks and parkland.\n34",
50
+ "area than most comparably sized bats, giving it\nincreased maneuverability during slow flight.\nHabitat: The Northern Long-eared Bat is found\nmostly in eastern North America in mature forests.\nIt is relatively rare in the Alberta.\nBehaviour: This bat roosts in cracks, hollows or\nunder the bark of deciduous trees in summer and\nmigrates to caves in winter. It uses echolocation to\nnavigate through cluttered forests. Most foraging\noccurs in the first hours of dawn and dusk, when it\neats insects, with moths being its favourite. Most\nunusually, it can perch and pluck insects from a\nsurface. Females give birth to a single pup in May.\nClimate change, forestry practices and the potential\nof white-nose syndrome coming into the province\nmay put this species at risk.\nConservation Status: May be at Risk in AB\n\n110\n\n\f\n\nSilver-haired Bat Lasionycteris noctivagans",
51
+ "48\n\n\f\n\nWhite-tailed Deer Odocoileus virginianus\n\nSize: White-tailed Deer have a shoulder height of\n53-120 cm (21-47 in). The average weight for\nbucks is 113-125 kg (250-275 lb.), while does\nweigh about 73-82 kg (160-180 lb.).\nDescription: This deer changes from red-brown\nin summer to gray-brown in winter. The brown tail\nis broad, fringed with white and white underneath.\nWhen running the tail is held erect, hence the name\n\u201cwhite-tail\u201d. Antlers on bucks have unbranched\ntines extending up from single beams.\nHabitat: They are Alberta\u2019s most abundant deer\nfound in the prairie, parkland and southern boreal\nzones. Their range is expanding westward into the\nfoothills and mountains and northward into the\nboreal zone. Typical habitat includes aspen groves,\n49",
52
+ "8\n\n\f\n\nAMBYSTOMATIDAE (MOLE SALAMANDERS) .. 120\nWESTERN TIGER SALAMANDER AMBYSTOMA MAVORTIUM\n.................................................................................... 121\nBUFONIDAE (TOADS) ............................................... 123\nWESTERN TOAD ANAXYRUS BOREAS ............................. 124\nCANADIAN TOAD ANAXYRUS HEMIOPHRYS ................... 126\nHYLIDAE (TREE FROGS) ......................................... 128\nBOREAL CHORUS FROG PSEUDACRIS MACULATA.......... 129\nRANIDAE (TRUE FROGS) ........................................ 131\nWOOD FROG LITHOBATES SYLVATICA ........................... 132\nNORTHERN LEOPARD FROG LITHOBATES PIPIENS ........ 134\nPHOTOGRAPHY CREDITS ...................................... 136\n\n9\n\n\f\n\nMAMMALIA\n\nCanidae (Wolves, Coyotes and\nFoxes)\nCoyote\nGray Wolf\nRed Fox\n\n10\n\n\f\n\nCoyote Canis latrans",
53
+ "and is rarely far from a burrow entrance, which can\nbe identified by a large mound of excavated earth.\nBehaviour: This rodent is an excellent burrower\nconstructing a tunnel up to 14 m (46 ft) in length\nand buried 1.5 m (5\u2019), with a large chamber and 2-5\nentrances. Although the Woodchuck can swim and\nclimb trees, it prefers to retreat to its burrow to\navoid predators. It often stands erect on its hind\nlegs watching for danger and uses a high-pitched\nwhistle for warning. It eats wild grasses, other\nvegetation and occasionally grubs, insects and\nsmall animals. Instead of storing food, it puts on a\nlot of fat before hibernation to survive the winter. A\nlitter includes 2-6 young. Predators are coyotes,\nbadger, red foxes, mink, eagles, hawks and large\nowls.\nConservation Status: Secure in AB\n\n65\n\n\f\n\nRichardson\u2019s Ground Squirrel Urocitellus\nrichardsonii",
54
+ "92\n\n\f\n\nMasked Shrew Sorex cinereus\n\nSize: The Masked Shrew, also called the common\nshrew, is about 9 cm (4 in) in length, including a 4\ncm (2 in) long tail. It weighs about 5 g (0.2 oz). It is\none of the smallest mammals on earth.\nDescription: The fur of the Masked Shrew is graybrown in colour with a light gray underside. It has a\npointed elongated snout, small eyes and a long tail.\nHabitat: It can be found in all of Alberta and is\ncommon in poplar forests and meadows. Moisture\ndetermines the abundance of this shrew so it mostly\nlives in humid areas with high levels of vegetation\nto hide in.\n93",
55
+ "piles. The nest chamber is lined with straw and the\nfur of prey. It is a fearless and aggressive hunter.\nWhen stalking, it waves its head from side to side\nto pick up the scent. This carnivore eats mice, rats,\nsquirrels, chipmunks, shrews, moles, rabbits, small\nbirds, reptiles, amphibians, fish and insects. In late\nApril, 4-8 kits are born. Predators include large\nowls, coyotes, foxes and snakes. Its population has\nexperienced dramatic declines as a result of habitat\nloss and fragmentation.\nPredators include large owls, coyotes, foxes and\nsnakes This weasel is very agile and not often seen.\nConservation Status: May Be at Risk in AB\n\n37\n\n\f\n\nShort-tailed Weasel Mustela erminea",
56
+ "Ranidae (True Frogs)\nWood Frog\nNorthern Leopard Frog\n\n131\n\n\f\n\nWood Frog Lithobates sylvatica\n\nSize: The smallest true frog in Alberta, the wood\nfrog is 5-7 cm (2-2.8 in.) long.\nDescription: They are brown, tan or rust with a\nlight back stripe and dark eye mask. The belly is\nyellow or green and the hind legs are striped. The\nsmooth skin may have prominent ridges and warts\nhigh on the sides.\nHabitat: Wood frogs eat a variety of invertebrates,\nincluding worms and insects, with tadpoles grazing\non algae and plant detritus. Movement of prey\ntriggers the frog to lunge, open its mouth and make\n\n132",
57
+ "which prevents infection when the porcupine falls\nout of a tree and is stuck with its own quills. When\ntempted to eat succulent buds at the ends of\nbranches, it often falls out of trees. It is able to use\nits teeth and front paws to pull the quills out.\nHabitat: It is found throughout Alberta, usually\nnear stands of woody vegetation, its main source of\nfood.\nBehaviour: This quiet, gentle animal is not always\neasy to see, but noisy chewing, cut twigs and\nmissing bark may advertise its presence. In\nsummer, it is nocturnal and feeds on greens, forbs,\nshrubs and trees; in winter, the inner bark, twigs\nand buds of trees are eaten. When in danger, it\nchatters its teeth, turns its rear to a predator and\nswings its tail. When a quill comes in contact, it\nbecomes embedded in the attacker\u2019s skin. It does\nnot throw the quills; they have to contact the\nattacker. The Porcupine leads a solitary life but in\nwinter it groups together with others for denning or",
58
+ "Behaviour: The least weasel does not dig its own\nden, but nests in an abandoned burrow. The nest\nchamber is lined with straw and skins from its prey.\nIts diet includes mice, shrews and pocket gophers\ncaptured in their burrows and snow tunnels. It also\neats insects. This fierce hunter is capable of killing\na rabbit 5-10 times its own weight. There are 3-6\nkits in a litter. Predators include red foxes, and\nowls. This weasel is very agile and not often seen.\nConservation Status: Secure in AB\n\n35\n\n\f\n\nLong-tailed Weasel Neogale frenata",
59
+ "the raccoon is fierce in defence, but include black\nbears, wolves, lynx and bald eagles.\nConservation Status: Secure in AB",
60
+ "Habitat: The Skunk is most common in the central\nand southern parts of Alberta. It inhabits mixed\nwoodlands, brushy corners and open fields\ninterspersed with wooded ravines and rocky\noutcrops. It is also quite at home in urban areas\nwith some brush or ravines.\nBehaviour: The Skunk is nocturnal with slow and\ndeliberate behaviour enabled by its ability to spray\nits foul-smelling fluid 4-5 m, 6 times in succession.\nWhile primarily an insectivore (grasshoppers,\nbeetles, crickets and caterpillars), it will also eat\nmice, voles, eggs, bird chicks, berries and corn. It\nlives in abandoned dens, stumps, rock piles or\nunder buildings and decks in urban areas. It does\nnot truly hibernate, but generally remains inactive\nduring winter surviving on its fat stores. In winter,\nthe striped skunk will forage for short periods.\nLitters consist of 2-12 kits born in mid-May to\nJune. The Skunk has few natural enemies (except\nfor Great Horned Owls) but if starving, cougars,",
61
+ "beneath the forest floor or in the water and are\nmostly active at night. Unlike most toads, they walk\nrather than jump. Their diet consists of bees,\nbeetles, ants and spiders, slugs and worms.\nBehaviour: These toads are found near ponds and\nstreams and are active from April to September.\nBreeding occurs in shallow ponds with sandy\nbottoms. The male call is a soft peeping sound.\nFemales lay eggs in gelatinous masses of up to\n16,500 per clutch, beneath submerged vegetation\nfor protection. The eggs hatch as tadpoles in 3 \u2013 12\ndays and are fully formed as adults within 3\nmonths. Juvenile toads become mature in 2 \u2013 3\nyears. Predators include fish, dragonfly nymphs,\npredacious diving beetles, many birds and most\ncarnivores.\nConservation Status: Sensitive in AB.\n\n125\n\n\f\n\nCanadian Toad Anaxyrus hemiophrys",
62
+ "part of its diet as well as small to medium mammals\nand geese, bird eggs, roots, seeds and berries.\nFemale Wolverines burrow into snow in February\nto provide a den for 2-3 young kits. Predators\ninclude wolves and less frequently, bears.\nConservation Status May be at risk in AB",
63
+ "Behaviour: This burrowing rodent digs a burrow\n5-6 m (15-20 ft) long. It is well known for standing\nupright to survey its domain, for diving down into\nits burrow when it senses danger, then for poking\nout its nose and giving a bird-like trill. It is also\nvery quick with a maximum running speed of 13\nkm/hr (8 mph). Being an omnivore, its diet\nconsists of grass and weed seeds, caterpillars,\ngrasshoppers, mice and shrews. In October, it\nenters its hibernation nest in a deeper section of the\nburrow where food has been stored. During\nhibernation, respiration is decreased from 100-200\nbreaths/minute to 1 breath every 5 minutes! It\nemerges in early spring. A litter of 3-14 pups is\nborn once a year. Predators include weasels,\nraptors, hawks and snakes.\nConservation Status: Undetermined in AB (IUCN\nStatus: Least Concern)\n\n69\n\n\f\n\nLeast Chipmunk Neotamias minimus",
64
+ "63\n\n\f\n\nWoodchuck Marmota monax\n\nSize: The Woodchuck, also known as the\ngroundhog, may measure 42-69 cm (17-27 in) in\nlength, including the tail which is 10-19 cm (4-7 in)\nlong. It typically weighs 2-6 kg (4-14 lb).\nDescription: It is stout and has a flat head, small\nears and short, powerful limbs with curved, thick\nclaws. The fur colour ranges from gray to\ncinnamon to dark brown. Its four incisor teeth grow\n1.5 mm (1/16 in) per week; however, constant\nusage wears them down.\nHabitat: The range of the Woodchuck extends\nacross the central and northern parts of Alberta. It\nprefers open country and the edges of woodland\n64",
65
+ "45\n\n\f\n\nCervidae (Deer)\nMoose\nWhite-tailed Deer\nMule Deer\n\n46\n\n\f\n\nMoose Alces alces\n\nSize: Moose are the largest members of the deer\nfamily. Bulls can weigh on average 550 kg (1200\nlb) and stand 2 m (6-7 ft) at the shoulder. Cows\naverage 350 kg (770 lb). Body length varies from\n2-3 m (7-10 ft).\nDescription: Moose have dark colouration which\nvaries from dark brown to black. Other features of\nboth sexes are: broad muzzle, shoulder hump, and\na loose fold of skin under the chin called a \u201cbell\u201d.\nBulls have broad, palm-like antlers that can\nmeasure 2 m (6 ft) from tip to tip and can weigh up\nto 40 kg (88 lb).\nHabitat: In Alberta, Moose are common in most\neco-regions except for the prairie and parkland.\nThey prefer muskegs, brushy meadows and small\n47",
66
+ "29\n\n\f\n\nMink Neovison vison\n\nSize: The adult weight is about 1 kg (2.2 lb) and\ntotal body length ranges from 65-75 cm (25-30in).\nDescription: The Mink has a long, slender body\nwith short sturdy legs, a long neck and pointed\nface, small ears and a bushy tail. Distinguishing\ntraits include a dark, brown to black coat,\nsometimes with white spots on the chin and chest.\nHabitat: In Alberta, it can be found in the Boreal,\nFoothill and Rocky Mountain natural regions. This\nsemi-aquatic weasel is seldom seen far from\nwatercourses.\nBehaviour: The scent from the musk gland is used\nto mark the Mink\u2019s territory; although the musk\nsmells worse than that of a skunk, it cannot be\nsprayed for defence. This nocturnal hunter has a\ndiet of ducks, fish, muskrat and small birds and\n30",
67
+ "orange with its facial mask, legs, back and tail\ndarker than the midsection. There is usually a stripe\nof blond fur running from the shoulders to the\nlarge, bushy tail.\nHabitat: Historically found across Alberta,\nWolverines now live in the northern boreal half of\nthe province and along the mountains and foothills.\nThey are found in evergreen or mixed forests often\ninterspersed with lakes, streams and bogs. They\nrequire a very large home range; the range of a\nmale can be more than 620 km sq. (240 mi sq).\nThere have been two sightings around Big Lake in\nthe last 10 years.\nBehaviour: This largest member of the weasel\nfamily has a reputation for ferocity and strength out\nof proportion to its size, with the documented\nability to kill prey many times larger than itself. Its\nfeeding style appears voracious (the basis of the\nscientific name meaning glutton). Carrion is a large\npart of its diet as well as small to medium mammals\nand geese, bird eggs, roots, seeds and berries.",
68
+ "or wooded areas, usually not far from water, are\npreferred.\nBehaviour: Even though this weasel is small, it is a\nfierce predator and skilled hunter. With great speed\nand agility, it preys on mice, voles, shrews, rabbits,\nchipmunks, and nesting birds. It sometimes uses the\nburrows and nest chambers of the rodents it kills or\nit builds a nest under rocks, logs, tree roots or\nhaystacks. It is primarily nocturnal; however, it can\nbe seen during the daytime. In April-May, 4-8\nyoung are born. Predators include foxes, raptors\nand badgers.\nConservation Status: Secure in AB\n\n39\n\n\f\n\nMephitidae (Skunks)\nStriped Skunk\n\n40\n\n\f\n\nStriped Skunk Mephitis mephitis hudsonica",
69
+ "Predators include fisher, coyote, lynx and great\nhorned owl.\nConservation Status: Secure in AB",
70
+ "tree to tree and for intimidating a rival with a lot of\nflicking, as well as chattering and foot stomping.\nHabitat: In Alberta, it is abundant where conifers\nare common, including urban areas.\nBehaviour: The Red Squirrel is a feisty and\nterritorial rodent that defends a year-round territory.\nIts nest is constructed of grass in the branches of\ntrees or in cavities in the trunks of trees. It is an\nomnivore, consuming conifer seeds (over 50% of\nits diet), buds, needles, mushrooms, willow leaves,\nflowers, berries, mice, eggs and small birds. Cone\nseeds are stored in a cache for winter since it does\nnot hibernate. Females produce one litter per year\nwith 1-5 young. Predators include the lynx, bobcat,\ncoyote, great horned owl, northern goshawk, redtailed hawk, crow, red fox, wolf and weasel.\nConservation Status: Secure in AB\n\n61\n\n\f\n\nNorthern Flying Squirrel Glaucomys\n\nsabrinus",
71
+ "132\n\n\f\n\ncontact with the tip of the tongue only. They leap to\nescape predators.\nBehaviour: Wood frogs are found in moist\nwoodlands, forested swamps, ravines and bogs.\nThey overwinter in upland areas beneath the soil\nand leaf litter. They can tolerate the freezing of\ntheir blood and tissues utilising urea and glucose as\nantifreeze. Breeding occurs from late April to June.\nMales have a duck-like call. Females deposit eggs\non submerged vegetation next to other egg masses\nfor protection in shallow clear temporary ponds.\nThe eggs hatch after 3 weeks and become juvenile\nfrogs in 6-12 weeks. Most wood frogs only breed\nonce in their lifetime. Predators include fish,\ndragonfly nymphs, predacious diving beetles, many\nbirds and most carnivores.\nConservation Status: Secure in AB.\n\n133\n\n\f\n\nNorthern Leopard Frog Lithobates pipiens",
72
+ "69\n\n\f\n\nLeast Chipmunk Neotamias minimus\n\nSize: The Least Chipmunk measures 16-25 cm (610 in) in total length, with a tail 10-11 cm (3.9-4.3\nin) and a weight of 25-66 g (1-2 oz). It is about the\nsize of a small bird.\nDescription: This smallest species of chipmunk is\ngray to reddish-brown on the sides of the body and\ngreyish-white on the underparts. The back is\nmarked with 5 dark brown to black stripes\nseparated by 4 white or cream coloured stripes\nrunning from the neck to the tail. Two light and 2\ndark stripes mark the face, running from the nose to\n70",
73
+ "42\n\n\f\n\nProcyonidae (Racoons)\nRacoon\n\n43\n\n\f\n\nRacoon Procyon lotor\n\nSize: Raccoons have a body length of 40-70 cm\n(16-28 in) not including the tail, which on average\nmeasures 25 cm (10 in). They weigh 5-12 kg (1030 lb).\nDescription: This stout, short legged animal has a\ndistinctive mask formed by black fur around the\neyes contrasting with its white face. As well, its\nbushy tail has 5-6 alternating light and dark rings.\nThe body fur is grizzly gray coloured with some\nbrown. The front paws have 5 digits with claws and\nno webbing and are very agile, almost like fingers.\n\n44",
74
+ "35\n\n\f\n\nLong-tailed Weasel Neogale frenata\n\nSize: The Long-tailed Weasel has a total body\nlength averaging 45 cm (16\u201d), a tail length 15 cm (6\nin) and a weight of 340 g (12 oz).\nDescription: It has a small head with short oval\nears, black beady eyes and a pointed nose. Its body\nis long and slender turning brown in summer with\nwhite on the belly and white in winter, with a few\nblack hairs on the tip of its tail.\nHabitat: Preferring open country, the Long-tailed\nWeasel inhabits the Parkland and Grassland natural\nregions of Alberta.\nBehaviour: The Long-tailed Weasel dens in\nground burrows, under stumps or beneath rock\n36",
75
+ "114\n\n\f\n\nBehaviour: In summer they are most active in the\nmorning and afternoon. They hibernate in common\ndens, emerging to bask in the sun. The saliva\ncontains mild venom that is toxic to amphibians.\nFor humans it might cause itching and swelling. If\ndisturbed, they might secrete a foul-smelling fluid.\nGarter snakes feed on amphibians, earthworms,\nfish, small birds and rodents. They are prey for\nlarger fish, bullfrogs, snapping turtles, hawks,\nracoons and foxes.\nConservation Status: Sensitive in AB.\n\n115\n\n\f\n\nWestern Terrestrial Garter Snake\nThamnophis elegans vagrans",
76
+ "wetlands. Forests, including mossy, rotten logs and\nstumps are preferred. It can also be found in aspen\nbluffs and shrubby vegetation.\nBehaviour: The Southern Red-backed Vole is\nactive year-round, mostly at night. It uses runways\nthrough the surface growth in warm weather and\nuses tunnels through the snow in winter.\nUnderground burrows made by other small animals\nare used. Being omnivorous, its diet includes green\nplants, fungi, seeds, nuts, roots, insects, snails and\nberries. Roots, bulbs and nuts are stored for later\nuse. This little vole plays a positive role in the\nconiferous ecosystem since they disperse the native\nfungi that is necessary for the establishment and\nsuccessful growth of conifers. Females have 2-4\nlitters of 2-8 young in a year. Predators include\ncoyotes, red fox, hawks, owls and mustelids, and\nare an important food source in winter.\nConservation Status: Secure in AB\n\n84\n\n\f\n\nNorthern Bog Lemming Synaptomys borealis",
77
+ "Behaviour: This small shrew is active day and\nnight, year-round. It digs tunnels but also uses\nexisting tunnels where dry grass is used to make a\nnest. One litter of 6-7 young is born during the\nbreeding season. The diet consists of insects,\nworms, snails, small rodents, salamanders and\nseeds. These shrews have to eat almost constantly\nbecause of a very high metabolism. They can only\nsurvive a couple of hours without food. Predators\ninclude larger shrews, hawks, owls, shrikes, snakes,\nherons, foxes, leopard frog, bluebird, brown trout\nand weasels.\nConservation Status: Secure in AB\n\n94\n\n\f\n\nPygmy Shrew Sorex hoyi",
78
+ "57\n\n\f\n\nHabitat: The Beaver lives in all natural regions of\nAlberta except the alpine subregion. The primary\nhabitat is the riparian zone inclusive of stream bed.\nThey are quite at home in urban areas with rivers\nand streams.\nBehaviour: It is largely nocturnal, although it can\nbe active in day. It constructs dams on streams to\ncreate ponds, which flood the surrounding area for\nprotection and easy access to fell trees. A lodge is\nconstructed of sticks and mud that provides\nexcellent protection at night and over winter. Some\nbeavers live along rivers and burrow into the bank.\nThe Beaver is active all winter, feeding from the\nunderwater store of twigs and leaves in the Beaver\npond. From April to June, often four kits are born.\nIt eats pond weeds, waterlilies, cattails, and the\nbark of poplar, willow, cottonwood, shrubs and\nother trees. When the food supply is exhausted, it\nmoves to another area. Predators include coyotes,\nwolves and bears.\nConservation Status: Secure in AB\n\n58",
79
+ "frequently. It is active the first few hours after dawn\nand during the 2-4 hour period before sunset. It digs\nburrows where it stores food for the winter and\nwhere females give birth to their young. A litter\nsize is 4-6 pups with up to 4 litters per year. The\ndiet consists of grasses, sedges, forbs, seeds, insects\nand snails. In winter, it eats green basal portions of\ngrass plants, often hidden under snow. This vole is\nan important prey, especially in winter, for red\nfoxes, coyotes, hawks, owls, snakes and weasels.\nConservation Status: Secure in AB\n\n82\n\n\f\n\nSouthern Red-backed Vole Myodes gapperi",
80
+ "133\n\n\f\n\nNorthern Leopard Frog Lithobates pipiens\n\nSize: This large frog species can be 11 cms (4.3 in.)\nlong.\nDescription: It is green or brown with circular dark\nspots bordered by light rings on its back, sides and\nlegs. A pair of light folds run from behind the eyes\nand down the back, with a pale stripe under each\neye across to the shoulders. The belly is pale. The\niris is golden with a black horizontal pupil. The toes\nare webbed.\n\n134",
81
+ "134\n\n\f\n\nHabitat: Found in ponds, swamps, marches and\nstreams with abundant vegetation. In summer they\nmove to grassy areas.\nBehaviour: These frogs eat anything that will fit\ninto their mouths, including crickets, worms and\nflies. They are preyed on by herons, snakes, turtles\nand fish, and are used in medical research. Leopard\nfrogs breed in spring. Males make a short snorelike call to attract females. Up to 6,500 eggs are\nlaid in water. These hatch after 9 days and\nmetamorphosis is complete in 70-110 days. The\njuveniles are 2-3 cm (0.8-1.2 in.) long and resemble\nadults. They may live for up to 4 years.\nConservation Status: At risk in AB. This species\nhas severely declined since the late 1970s.\nPreviously common and widespread, it has\ndisappeared from most of its Alberta range. It may\nstill occur around Big Lake, but most of the\nbreeding population in the southeast of the\nprovince. The protection of remnant breeding areas\nis essential.\n\n135\n\n\f\n\nPhotography Credits\nPhotograph\n\nPage",
82
+ "71\n\n\f\n\nCricetidae (Muskrats, Mice, Voles\nand Lemmings)\nMuskrat\nDeer Mouse\nMeadow Jumping Mouse\nWestern Jumping Mouse\nMeadow Vole\nSouthern Red-backed Vole\nNorthern Bog Lemming\n\n72\n\n\f\n\nMuskrat Ondatra zibethicus\n\nSize: Muskrat adults weigh about 1.5 kg (3.3 lb)\nand have a body length about 40-70 cm (16-28 in),\nwith half of that being tail.\nDescription: These medium sized, semi-aquatic\nrodents have dense, waterproof, chestnut to dark\nbrown fur. Their tail is narrow and flattened\nlaterally to be used as a rudder and for propulsion\nby vibrating it side-to-side. When they walk on\nland, their tail drags which makes tracks easy to\nrecognize. Their legs are short with small forefeet\nused for grasping objects, while the large hind feet\nare partially webbed.\n\n73",
83
+ "106\n\n\f\n\nHoary Bat Aeorestes cinereus\n\nSize: The largest bat in Canada averages 13-15 cm\n(5-6 in) long, with a 40 cm (16 in) wingspan and a\nweight of 26 g (0.9 oz).\nDescription: The coat of the Hoary Bat is dense\nand gray-brown with white tips to the hairs like\n\u201choar-frost\u201d. The body is covered in fur except for\nthe undersides of the wings.\nHabitat: The Hoary Bat is found all over Alberta.\nIt prefers woodland, mainly coniferous forests, but\n107",
84
+ "100\n\n\f\n\nHabitat: This is Alberta\u2019s largest hare and is found\nthroughout the province, including in towns and\ncities. They live on plains, prairie and in alpine\nmeadows with scattered coniferous trees. The urban\nenvironment provides more places to hide and more\nfood with a good variety of plants.\nBehaviour: It is nocturnal and lies up during the\nday in a form, a shallow depression in the ground\nhidden under vegetation. It feeds on grasses, green\nplants and cultivated crops. In winter, it feeds on\ndry grass, twigs and bark on low shrubs. It has good\neyesight, excellent hearing and can run up to 55\nkm/h (34 mph) and leap up to 5 m (16 ft). A litter\nof 4-5 leverets is born in spring-summer. Predators\ninclude foxes, badgers, coyotes, bobcats, snakes,\neagles, hawks and owls.\nConservation Status: Secure in AB\n\n101\n\n\f\n\nVespertilionidae (Evening bats)\nLittle Brown Bat\nBig Brown Bat\nHoary Bat\nNorthern Long-eared Bat\nSilver-haired Bat\n\n102\n\n\f\n\nLittle Brown Bat Myotis lucifugus",
85
+ "$10, all\nproceeds go to\nBLESS\nprograms.\n\nFor information contact\ninfo@bless.ab.ca\n\nPrinted by\nCollege Copy Shop\n10221 \u2013 109 St.\nEdmonton, Alberta T5J 1N2\n\n140",
86
+ "MINK NEOVISON VISON .................................................. 30\nFISHER MARTES PENNANTI.............................................. 32\nLEAST WEASEL MUSTELA NIVALIS .................................. 34\nLONG-TAILED WEASEL NEOGALE FRENATA.................... 36\nSHORT-TAILED WEASEL MUSTELA ERMINEA .................. 38\nMEPHITIDAE (SKUNKS)............................................. 40\nSTRIPED SKUNK MEPHITIS MEPHITIS HUDSONICA ........... 41\nRACOON PROCYON LOTOR.............................................. 44",
87
+ "Habitat: They feed on a variety of invertebrates\nincluding snails and insects.\nBehaviour: This species is found around\npermanent water bodies in cleared land and forests;\nalso in sloughs and open meadows with sufficient\ncover and moisture. Breeding occurs annually from\nFebruary to April. After mating a single female can\nlay 500-1500 eggs, in masses of jelly attached to\nvegetation in shallow water. The eggs hatch in 1014 days and tadpoles become juvenile frogs in 2\nmonths. They reach maturity the next summer.\nPredators include fish, dragonfly nymphs, many\nbirds and most carnivores.\nConservation Status: Secure in AB.\n\n130\n\n\f\n\nRanidae (True Frogs)\nWood Frog\nNorthern Leopard Frog\n\n131\n\n\f\n\nWood Frog Lithobates sylvatica",
88
+ "12\n\n\f\n\nGray Wolf Canis lupus\n\nSize: The Gray Wolf measures on average 1-2 m\n(3-6 ft) in total body length, with the tail\ncomprising a little less than one third of the total.\nThe male weighs about 66 kg (145 lb), while the\nfemale weighs about 45 kg (100 lb).\nDescription: This slender but powerfully built\ncarnivore has long legs enabling speed while\nhunting and the ability to overcome deep snow. Its\nfur colour is typically a mix of gray and brown with\nbuff facial markings and underside, which can vary\nfrom solid white to brown or black. The Gray Wolf\nlooks like a large German shepherd dog with a long\n13",
89
+ "bushy tail which is held straight back when\nrunning.\nHabitat: In Alberta, the Gray Wolf inhabits Boreal,\nFoothills and Mountain regions. It lives in a pack of\n5-9 members, which requires a territory ranging\nfrom 250-750 sq km (97-282 sq miles). A recent\nsiting near Big Lake is unusual and may have been\na single wolf looking for a pack of its own.\nBehaviour: There is a pack hierarchy with the\nalpha male dominant over the entire pack. The pack\nwill usually hunt in a group, but a single wolf or\nmated pair are also successful. Deer, elk, moose\nand sheep are the usual prey but beaver, waterfowl,\nrabbits and mice are also hunted. The ability of the\nGray Wolf to run up to 64 km/hr (40 mph) and to\ntravel 48 km (30 m) per day, enables its success\nwhen hunting. Barking is usually a warning and\nhowling is used for long distance communication.\nWolves rarely attack humans. In spring to early\nsummer, 4-6 pups are born and grow up in a natural\nshelter. Predators are few but include cougar, bears",
90
+ "NORTHERN LONG-EARED BAT MYOTIS SEPTENTRIONALIS\n.................................................................................... 109\nSILVER-HAIRED BAT LASIONYCTERIS NOCTIVAGANS ..... 111\nCOLUBRIDAE (REAR-FANGED SNAKES) ............ 113\nRED-SIDED GARTER SNAKE THAMNOPHIS SIRTALIS\nPARIETALIS ................................................................... 114\nWESTERN TERRESTRIAL GARTER SNAKE THAMNOPHIS\nELEGANS VAGRANS ........................................................ 116\nPLAINS GARTER SNAKE THAMNOPHIS RADIX................ 118",
91
+ "25\n\n\f\n\nBadger Taxidea taxus\n\nSize: The Badger measures 60-75 cm (24-30\u201d) in\ntotal length, with a tail 10-16 cm (4-6 in) and a\nweight of 6-7 kg (14-16 lb).\nDescription: It has a stocky, low-slung body with\nshort, powerful legs and huge foreclaws. The fur\ncolour is brown, black and white giving a browntan appearance. The triangular face shows a black\nand white pattern with a white stripe extending\nfrom the nose to the base of the head and extending\nthe full length of the body to the tail.\n\n26",
92
+ "Habitat: The pygmy shrew is found throughout the\nboreal areas of Alberta except for the south-east\ncorner of the province. It lives in moist or dry\nconditions in the grassy opening within the forest,\nas well as the shrubby borders of bogs and wet\nmeadows.\nBehaviour: Due to its fast metabolism, it has an\nextremely large appetite and is active all year round\neven burrowing through snow. To stay alive, it has\nto eat 3 times its body weight daily which means\ncapturing prey every 15-30 min., day and night.\nWith a good sense of smell and hearing, it digs\nthrough soil and leaf litter to search for food,\nmostly insects and insect larvae. A litter of 3-8\nyoung are born once a year. This shrew swims\nmaking it a prey for trout. Other predators include\nhawks, owls and snakes.\nConservation Status: Secure in AB\n\n96\n\n\f\n\nLeporidae (Hares)\nSnowshoe Hare\nWhite-tailed Jackrabbit\n\n97\n\n\f\n\nSnowshoe Hare Lepus americanus",
93
+ "78\n\n\f\n\nWestern Jumping Mouse Zapus princeps\n\nSize: The Western Jumping Mouse is 22-25 cm (910 in) in total length, the tail is 13-15 cm (5-6 in)\nlong and the hind feet are 3-4 cm (1-2 in) long. It\nweighs 17-40 g (0.6-1.4 oz).\nDescription: It has long hind-feet, short forelimbs\nand a long tail. The fur is coarse dark-gray brown\nover the the upper body, with a broad yellow to red\nband along the flanks and pale yellow-white\nunderparts. Some have white spots on the upper\nbody or on the tip of the tail.\nHabitat: This species of mouse is found in the\ncentral and south regions of Alberta. Mountainous\nterrain is inhabited as well as meadows and forests\n\n79",
94
+ "82\n\n\f\n\nSouthern Red-backed Vole Myodes gapperi\n\nSize: This small, slender vole is 12-17 cm (5-7 in)\nlong, with a tail measuring 4 cm (2 in). It weighs on\naverage 21 g (1 oz).\nDescription: The Southern Red-backed Vole has a\nshort body with a reddish band along the back and a\nshort, slim tail. The sides of the body and head are\ngray and the underparts are paler. It has a blunt\nnose and prominent rounded ears.\nHabitat: It is found throughout most of Alberta,\nexcepting the southern region. Its habitat includes\nconiferous, deciduous and mixed forests, often near\n83",
95
+ "predatory fish. However, the population in most of\nthe prairie provinces is secure.",
96
+ "June. The Skunk has few natural enemies (except\nfor Great Horned Owls) but if starving, cougars,\ncoyotes, bobcats, badgers, foxes, and eagles will\nattack them. These skunks can carry rabies, but\nthere are very few rabid skunks in Alberta.\nConservation Status: Secure in AB",
97
+ "52\n\n\f\n\nErethizontidae (Porcupines)\nNorth American Porcupine\n\n53\n\n\f\n\nNorth American Porcupine Erethizon\ndorsatum\n\nSize: The North American Porcupine is a large,\nrobust rodent, the second largest in Canada next to\nthe beaver. Adult males weigh on average 10 kg\n(22 lb).\nDescription: It has a thick, short tail, short\npowerful legs and long curved claws. The coat is\ncomposed of a dense, brown undercoat of fur with\nyellow-tipped guard hairs, alternating with rows of\nquills. The estimated 30,000 quills have small barbs\non the tip and are hollow, providing buoyancy\nwhen the animal swims. There are no quills on the\nmuzzle, legs or underparts. It is the only N.\nAmerican mammal with antibiotics in its skin,\n54",
98
+ "127\n\n\f\n\nHylidae (Tree Frogs)\nBoreal Chorus Frog\n\n128\n\n\f\n\nBoreal Chorus Frog Pseudacris maculata\n\nSize: Alberta\u2019s smallest amphibian, the Boreal\nChorus Frog, is only 2-4 cm (0.8-1.6 in.) long.\nDescription: Also called the Striped Chorus Frog it\nis brown or green with 3 broken back stripes\n(distinct or faint). There is a stripe through the eye\nand along the side. Slightly enlarged toe pads aid in\nclimbing small grasses but they are not good\nclimbers. The legs are shorter than those of the\nwestern chorus frog.\n129",
99
+ "Habitat: Traditionally it has resided largely in\nAlberta\u2019s southeast area, however, in recent years\nits territory has expanded to include the central part\nof the province. The original habitat was deciduous,\nmixed forests and wetlands, but they are also now\nfound in mountainous and urban areas.\nBehaviour: The Raccoon is nocturnal, but is\nsometimes seen in daylight. It walks slowly but can\nclimb a tree quickly and has the ability to descend\nheadfirst by rotating its hind feet. In the wild, they\nare omnivorous feeding on crayfish, fish, birds eggs\nand hatchlings, fruits, nuts, insects and berries.\nThey are known for washing their food but really, it\nis dabbling in the water looking for food, then it\nuses its front paws to rub the item and remove\nunwanted parts. Tree hollows, rock crevices or\nburrows dug by other mammals, are used for a den.\nA litter size is 2-5 kits. Predators are few because\nthe raccoon is fierce in defence, but include black\nbears, wolves, lynx and bald eagles.",
100
+ "122\n\n\f\n\nBufonidae (Toads)\n\n123\n\n\f\n\nWestern Toad Anaxyrus boreas\n\nSize: A large species, the Western Toad is 5.6 cm \u2013\n13 cm (2.2\u2013 5 in.) long.\nDescription: They have a white and cream back\nstripe on dusky grey and greenish skin and a pale\nbelly with dark mottling. The salivary glands are\non the sides of the head and oval in shape, the\npupils are horizontal and they lack cranial crests.\nHabitat: Western toads are terrestrial, controlling\ntheir body temperature by basking in sun and\nevaporative cooling. They spend daylight hours\n124",
101
+ "the Fisher is a close relative of the marten, it is\nalmost twice as large and 4 times as heavy.\nHabitat: In Alberta, it lives in mature forests of\nthe Boreal and Rocky Mountain regions and\nsometimes in the Parkland region. It spends most of\nits time on the forest floor where there is\ncontinuous overhead cover.\nBehaviour: The Fisher is a carnivore and a skilled\nhunter being one of the few animals to regularly\nkill porcupine. It also preys on birds, rodents,\nsquirrels and hares, but does not eat fish. Primarily\nnocturnal, it usually spends the day sleeping in\nhollow trees or logs but also may be spotted during\nthe day. In winter, it uses a snow den or burrow\nunder the snow for shelter. It does not hibernate.\nThe female gives birth to 1-4 kits. Predators include\nbears, coyotes, lynx and wolverine.\nConservation Status: Sensitive in AB\n\n33\n\n\f\n\nLeast Weasel Mustela nivalis",
102
+ "135\n\n\f\n\nPhotography Credits\nPhotograph\n\nPage\n\nPhotographer\n\nMale moose\n\nCover\n\nDave Conlin\n\nPark Sign\n\n4\n\nMiles Constable\n\nPark Map\n\n5\n\nGoogle Inc.\n\nCoyote\n\n11\n\nTim Osborne\n\nGray Wolf\n\n13\n\nCalgary Zoo\n\nRed Fox\n\n15\n\nDave Conlin\n\nBlack Bear\n\n18\n\nDave Conlin\n\nLynx\n\n21\n\nWolverine\n\n24\n\nBadger\n\n26\n\nNick Parayko\n\nMarten\n\n28\n\nTim Gage via Creative\nCommons\n\nMink\n\n30\n\nDave Conlin\n\nFisher\n\n32\n\nLeast Weasel\n\n34\n\nLong-tailed Weasel\n\n36\n\nShort-tailed Weasel\n\n38\n\nStriped Skunk\n\n41\n\nRacoon\n\n44\n\n136\n\nGovernment of the\nNorthwest Territories\nMathias Kabel via Creative\nCommons\n\nLarry Master\n(masterimages.org)\nKevin Law via Creative\nCommons\nU.S. National Park Service\nvia Creative Commons\nU.S. Fish and Wildlife\nService via Creative\nCommons\nTom Friedel via Creative\nCommons\nDave Conlin\n\n\f\n\nFemale moose\n\n47\n\nTim Osborne\n\nWhite-tailed Deer\n\n49\n\nDave Conlin\n\nMule Deer\n\n51\n\nDave Conlin\n\nNorth American Porcupine\n\n54\n\nDave Conlin\n\nBeaver\n\n57\n\nTim Osborne\n\nRed Squirrel\n\n60\n\nDave Conlin\n\nNorthern Flying Squirrel",
103
+ "65\n\n\f\n\nRichardson\u2019s Ground Squirrel Urocitellus\nrichardsonii\n\nSize: The Richardson\u2019s Ground Squirrel, or gopher\nin western Canada, is about 30 cm (12\u201d) long and\nhas an average weight of 750 g (2 lb).\nDescription: It is dark brown on the upper side and\ntan underneath. The tail is shorter and less bushy\nthan other ground squirrels and is constantly\ntrembling. It is also called a prairie dog or gopher,\nalthough it is neither. The ears are so short as to\nlook more like holes in the animal\u2019s head.\n66",
104
+ "Canidae (Wolves, Coyotes and\nFoxes)\nCoyote\nGray Wolf\nRed Fox\n\n10\n\n\f\n\nCoyote Canis latrans\n\nSize: The Coyote is smaller and slimmer than the\nGray Wolf, but larger than the Red Fox. Adult\nweight ranges from 10-23 kg (22-50 lb) and body\nlength ranges from 1-1.3 m (3-4 ft) including the\ntail which measures 30-40 cm (12-16 in). Coyotes\nstand 58-66 cm (23-26 in) high at the shoulder.\nDescription: The characteristic features of a\nCoyote include a gray to red-gray fur coat with\nblack markings on the back and tail and lighter fur\nunderneath, long ears, a slender pointed muzzle and\na bushy tail that is usually carried low and close to\nthe hind legs.\nHabitat: The Coyote is highly adaptable and can\nbe found in all regions of Alberta, including towns\nand cities.\n11",
105
+ "look similar to white-tailed deer except their tails\nare black tipped and their antlers divide evenly as\nthey grow.\nHabitat: Mule Deer are found throughout Alberta\nprimarily in shrub-forest areas of open coniferous\nforests, aspen parkland, river valleys and steep\nbroken terrain.\nBehaviour: Although capable of running, they are\noften seen \u201cstotting\u201d leaping with all 4 feet coming\ndown together. They eat shrubs and trees, forbes,\ngrasses, nuts, berries and mushrooms. All deer are\nruminants meaning they ferment plant material\nbefore digesting it. They often bed down in the\nafternoon to digest their food. Does usually give\nbirth to 2 fawns but their first time usually one. In\nAlberta, this takes place during June and July.\nThree main predators are coyotes, wolves and\ncougars. Bobcats, lynxes, wolverines and black\nbears attack the fawns.\nConservation Status: Least Concern in AB\n\n52\n\n\f\n\nErethizontidae (Porcupines)\nNorth American Porcupine\n\n53",
106
+ "37\n\n\f\n\nShort-tailed Weasel Mustela erminea\n\nSize: The body length of the Short-tailed Weasel or\nStoat is on average 33 cm (13\u201d), its tail length is 9\ncm (3 in) and its weight is 170 g (6 oz).\nDescription: It has a long body, short legs and a\nlong neck. Its head is bluntly pointed and its ears\nare small and rounded. In summer, its fur is brown\nwith white underparts, white feet and a black tip on\nthe tail. They molt to white in winter with a blacktipped tail. Its smaller size and white feet\ndistinguish this species from the long-tailed weasel.\nThe fur was considered a luxury fur in Europe,\nwhere it was called ermine and stoat.\nHabitat: Alberta\u2019s most common weasel is found\nin all natural regions, except the Grassland. Brushy\n38",
107
+ "84\n\n\f\n\nNorthern Bog Lemming Synaptomys borealis\n\nSize: The Northern Bog Lemming averages 13 cm\n(5 in) in length and weighs about 30 g (1 oz). The\nshort tail is only 2 cm (0.8 in) long.\nDescription: It has a cylindrical shaped body\ncovered with brown grizzled fur with pale gray\nunderparts. A patch of rust coloured hair is seen at\nthe base of the ears. It has small eyes and a blunt\nsnout.\nHabitat: The Northern Bog Lemming is found\nthroughout most of Alberta, except in the southeast\ncorner of the province. Wet northern forests, bogs,\ntundra and meadows are typical of its habitat.\n\n85",
108
+ "groves of aspen or coniferous trees particularly\nnear lakes, ponds or streams.\nBehaviour: They are most active in the day,\nfeeding on aquatic plants and the tender shoots of\nwillow, birch and poplar as well as aspen bark and\nminerals from natural salt licks. All deer are\nruminants meaning they ferment plant material\nbefore digesting it. They often bed down in the\nafternoon to digest their food. They will move and\nfeed at night as well. Moose have acute senses of\nsmelling and hearing, however, their sight is poor.\nWhen alarmed, Moose will often trot away with\nlong smooth strides. In spite of their large size,\nmoose can move through underbrush very quietly.\nOne or two calves are born in the spring. Predators\ninclude wolves, black bears and grizzly bears.\nConservation Status: Least concern in AB\n\n48\n\n\f\n\nWhite-tailed Deer Odocoileus virginianus",
109
+ "province. It prefers older coniferous and mixed\nforests. Good tree cover is important for protection\nwhen gliding between trees.\nBehaviour: This nocturnal squirrel is a proficient\nglider but a clumsy walker on the ground. After\nlaunching from atop trees, it uses a fold of skin\nbetween the front and back legs, to stretch into a\nsquare-like shape which enables it to glide. Just\nbefore reaching a tree, it raises its tail, points all of\nits limbs forward and creates a parachute effect to\nreduce the shock of landing. To avoid predators, it\nimmediately runs to the top or to the other side of\nthe tree. Holes in trees are used for nests. In winter,\nnests are shared forming aggregations of 4-10\nindividuals to maintain body temperature. It does\nnot hibernate. It is not often seen by the public as it\nis active mostly at night.\nA major food source is fungi, although it also eats\nlichens, mushrooms, tree sap, insects, carrion, bird\neggs and nestlings, buds and flowers. Predators",
110
+ "94\n\n\f\n\nPygmy Shrew Sorex hoyi\n\nSize: The Pygmy Shrew is tiny. It is the smallest\nmammal native to N. America with a body about 5\ncm (2 in) long including a 2 cm (0.8 in) tail. It\nweighs about 2-5 g (0.7-0.17 oz).\nDescription: Its fur is a reddish or grayish brown\nduring the summer and a white-gray colour during\nthe winter. The underside is a lighter gray. It has a\nnarrow head, pointed nose and small eyes that are\nwell hidden.\n95",
111
+ "TRIDECEMLINEATUS ........................................................ 68\nLEAST CHIPMUNK NEOTAMIAS MINIMUS......................... 70\nCRICETIDAE (MUSKRATS, MICE, VOLES AND\nLEMMINGS) .................................................................. 72\nMUSKRAT ONDATRA ZIBETHICUS ................................... 73\nWESTERN DEER MOUSE PEROMYSCUS SONORIENSUS ..... 75\nMEADOW JUMPING MOUSE ZAPUS HUDSONIUS .............. 77\nWESTERN JUMPING MOUSE ZAPUS PRINCEPS ................ 79\nWESTERN MEADOW VOLE MICROTUS DRUMMONDII ..... 81",
112
+ "125\n\n\f\n\nCanadian Toad Anaxyrus hemiophrys\n\nSize: Canadian Toads are usually 5-7 cm (2-3 in.)\nin length, with females being the longer.\nDescription: These toads are brown with a\nyellowish line down the centre of their back and\nrows of brown spots on each side with reddish\nwarts. The belly is whitish spotted with grey. The\nsalivary glands (that secrete toxins) are large oval\nand meet the skull crests that form between the\neyes. Projections on the hind feet are used for\nburrowing.\nHabitat: Found near ponds and lakes in prairies,\naspen and boreal forests, Canadian toads are\n126",
113
+ "108\n\n\f\n\nNorthern Long-eared Bat Myotis\nseptentrionalis\n\nSize: The Northern Long-eared Bat is a small bat\nthat measures an average of 9 cm (3-4 in) in total\nlength, including a tail 4 cm (2 in) long. It weighs\nbetween 5-8 g (0.2-0.3 oz) and has a wingspan of\n25 cm (10 in).\nDescription: The fur and wing membranes of this\nsmall bat are light brown. It has long, pointed ears\nand when folded forwards, the ears extend well past\nthe nose. It also has a long tail and a larger wing\n109",
114
+ "hunts over open areas or lakes. It migrates long\ndistances and spends the winter in the southwestern\nUS and Central America, although some stay and\nhibernate.\nBehaviour: The hoary bat normally roosts alone on\ntrees, hidden in the foliage, but on occasion has\nbeen seen in caves with other bats. It hunts alone\nfor its main food source, moths. It also eats wasps,\nbeetles and dragonflies. It can cover an impressive\n39 km (24 mi) each night while foraging. The\nfemale usually bears one or two pups in June.\nWhile not listed as threatened or endangered, hoary\nbats suffer significant mortality from wind turbines,\nmostly during migration.\nConservation Status: Secure in AB\n\n108\n\n\f\n\nNorthern Long-eared Bat Myotis\nseptentrionalis",
115
+ "Habitat: Muskrats are found in all natural regions\nof Alberta, except the alpine subregion. They live\nin a wide range of wetlands in or near rivers, lakes\nor ponds.\nBehaviour: Muskrats spend much of their life in\nwater but do not build dams, although occasionally\nlive in active Beaver lodges. They are most active\nat night or near dawn or dusk. Muskrats live in a\nfamily group and each group has a house, a feeding\narea and canals through cattails and vegetation. In\nstreams, ponds or lakes, they burrow into the bank\nand use an underwater entrance. In marshes, pushups are constructed in late fall from mud, pond\nweeds and cattails. In winter, push-ups cover a hole\nin the ice, which is kept open by continually\nchewing away the ice and pulling up underwater\nvegetation to build the insulated dome. Muskrats\nare prolific breeders; females can have 2-3 litters a\nyear of 6-8 young. Their diet consists of 95% plants\nsuch as cattails and pond weeds. They also eat",
116
+ "19\n\n\f\n\nFelidae (Cats)\nCanada Lynx\n\n20\n\n\f\n\nCanada Lynx Lynx canadensis\n\nSize: This medium-sized wildcat has a height at the\nshoulder of 48-56 cm (19-22 in), a body length of\n80-105 cm (31-41 in) and a weight of 8-14 kg (1831 lb).\nDescription: The Lynx has a short tail, distinctive\ntufts of black hair on the tips of the ears, large furcovered paws for walking on snow and long\nwhiskers on the face. Body colour varies from\nbrown to gold to beige-white and is marked with\ndark brown spots. It has white fur on its chest, belly\nand on the inside of its legs. The name Lynx\nmeaning light and brightness refers to the\nluminescence of its reflective eyes.\n21",
117
+ "terrestrial, taking to water to avoid capture. They\nhibernate in the fall by burrowing into the earth,\nemerging when the soil thaws. Adults feed on\nworms, beetles and ants and can live up to 7-12\nyears.\nBehaviour: Males call to initiate breeding with a\nbrief trill. This occurs in ponds from May to July.\nFemales lay up to 6000 eggs in long strings, which\nhatch into tiny black tadpoles in 3-12 days. Feeding\non aquatic vegetation, over 7-11 weeks they\ntransform into juveniles. Males reach maturity after\n1 year and females after 2 years. Predators include\nfish, dragonfly nymphs, predacious diving beetles,\nmany birds and most carnivores.\nConservation Status: May be at risk. Once\ncommon in boreal and parkland habitats, dramatic\ndeclines in populations and distributions are\noccurring, but population monitoring is ongoing.\nHabitats are threatened by drought, conversion to\nfarm land, agricultural chemicals, and oil and gas\nactivities.\n\n127\n\n\f\n\nHylidae (Tree Frogs)\nBoreal Chorus Frog\n\n128",
118
+ "26\n\n\f\n\nHabitat: In Alberta, the Badger is present from the\nNorth Saskatchewan River area to the south of the\nprovince. Typical habitat is open grasslands such as\nprairie with sandy loam soil where prey can easily\nbe dug.\nBehaviour: The Badger is generally nocturnal,\nhowever females may forage during daylight from\nlate March to mid-May. They do not hibernate and\nwill emerge from the burrow with above freezing\ntemperatures. Young are born March-April with\nlitters of 1-5 young. It preys on Northern pocket\ngophers, Richardson\u2019s ground squirrels, moles,\nmice and snakes. Insects and plants are also eaten.\nCoyotes have been known to hunt in tandem with\nbadgers, catching prey that try to flee the Badger\u2019s\nunderground digging. Predators include golden\neagles, coyotes, cougars, bears and wolves.\nConservation Status: Sensitive in AB\n\n27\n\n\f\n\nMarten Martes Americana",
119
+ "CERVIDAE (DEER) ...................................................... 46\nMOOSE ALCES ALCES ..................................................... 47\nWHITE-TAILED DEER ODOCOILEUS VIRGINIANUS ........... 49\nMULE DEER ODOCOILEUS HEMIONUS ........................... 51\nERETHIZONTIDAE (PORCUPINES) ........................ 53\nNORTH AMERICAN PORCUPINE ERETHIZON DORSATUM . 54\nCASTORIDAE (BEAVERS) ......................................... 56\nBEAVER CASTOR CANADENSIS ........................................ 57\nSCIURIDAE (SQUIRRELS) ......................................... 59\nRED SQUIRREL TAMIASCHIURUS HUDSONICUS ................ 60\nNORTHERN FLYING SQUIRREL GLAUCOMYS SABRINUS ... 62\nWOODCHUCK MARMOTA MONAX .................................... 64\nRICHARDSON\u2019S GROUND SQUIRREL UROCITELLUS\nRICHARDSONII ................................................................ 66\nTHIRTEEN-LINED GROUND SQUIRREL ICTIDOMYS\nTRIDECEMLINEATUS ........................................................ 68",
120
+ "meadows with good soil. The animal usually called\na gopher in Alberta is Richardson\u2019s Ground\nSquirrel, but it isn\u2019t a true gopher.\nBehaviour: This nocturnal, burrowing, nonhibernating rodent rarely appears above ground;\nwhen it does, it rarely ventures far from a burrow\nentrance. Underground however, it has tunnels that\nextend hundreds of feet where it lives, stores food\nand mates. Food consists of underground plant\nparts and leaves of forbs. A litter has 5-6 young.\nPredators include badgers, coyotes, weasels,\nsnakes, skunks and owls. To find where a northern\npocket gopher lives, look for the crescent shaped\nmound of dirt in front of a burrow.\nConservation Status: Secure in AB\n\n89\n\n\f\n\nSoricidae (Shrews)\nArctic Shrew\nMasked Shrew\nPygmy Shrew\n\n90\n\n\f\n\nArctic Shrew Sorex arcticus",
121
+ "75\n\n\f\n\nbut it is not found where the ground is continually\nwet.\nBehaviour: This nocturnal mouse spends the day\nin its nest in its underground burrow or in brush\npiles, rocks, stumps or hollow trees. During the\nwinter season, it can be found active on top of snow\nor beneath logs. Typically, females have 3-5 young\nin a litter 3-4 times a year. The Deer Mouse is\nomnivorous and eats seeds, fruits, spiders,\ncaterpillars, leaves, fungi, and insects. Predators\ninclude snakes, owls, mink, marten, weasels,\nskunks, bobcat, coyote and foxes. Deer mice can be\ncarriers of infectious diseases like hantavirus and\nlyme disease.\nConservation Status: Secure in AB\n\n76\n\n\f\n\nMeadow Jumping Mouse Zapus hudsonius",
122
+ "bottoms of the prairies. It is also found in towns\nand cities.\nBehaviour: This hare is primarily nocturnal and\nspends most of the day in a form, a shallow\ndepression in the ground. In summer, the snowshoe\nhare eats grasses and forbs, while in winter, it eats\nthe buds, bark and branches of shrubs and small\ntrees. A litter of about 4 young are born to each doe\nfrom April into summer. Does may have as many\nas 4 litters in a year. Predators include lynx,\nmartens, long-tailed weasels, minks, foxes, coyotes,\nowls, hawks, eagles, crows, ravens and black bears.\nConservation Status: Secure in AB\n\n99\n\n\f\n\nWhite-tailed Jackrabbit Lepus Townsendii",
123
+ "western United States to Texas and northern\nMexico.\nHabitat: They inhabit forests, fields, meadows or\ngrasslands. Adults spend most of their time\nunderground.\nBreeding throughout the year they gather by ponds\nfor spawning. Females lay eggs in water. The\nlarvae hatch in 19-50 days and have external gills.\nSome retain their gills into adulthood. Western\nTiger Salamanders can live up to 15 years.\nBehaviour: Mostly active at night, these\nSalamanders are opportunistic feeders, and will\noften eat anything they can catch, including various\ninsects, slugs, and earthworms. They are primarily\nterrestrial as adults, but their juvenile larval stage is\nentirely aquatic, having external gills. Predators\ninclude fish, dragonfly nymphs, predacious diving\nbeetles, many birds and most carnivores.\nConservation Status: Secure in AB. There has\nbeen some decline in numbers due to deforestation\nand habitat loss and the introduction of non-native\npredatory fish. However, the population in most of",
124
+ "104\n\n\f\n\nBig Brown Bat Eptesicus fuscus\n\nSize: The big brown bat weighs 15-25 g (0.5-0.8\noz), has a body length of 11-13 cm (4-5 in) and a\nwingspan measuring 30 cm (12 in).\nDescription: The fur of this bat is red brown with\nthe upper side being darker than the underside. The\nrounded snout is flattened looking and the ears are\nshort with rounded black tips. The flight\nmembranes are black and hairless.\nHabitat: The big brown bat is probably the most\ncommon bat in southern Alberta while the number\n105",
125
+ "2022\n4\n\n\f\n\nLocation of Lois Hole Centennial\nProvincial Park, Alberta\n\nMap courtesy of Google, Inc.\nThere are a great many animals to be seen in Lois Hole Centennial\nProvincial Park. This Guide features the most commonly seen animals;\nhowever, it is not a complete guide to all animals that could be seen at\nBig Lake. If you are, or become, passionate about wildlife, we\nrecommend a comprehensive guide to the mammals, amphibians and\nreptiles in Alberta. Nature is continually changing and there may be\nanimals who are expanding their range into this area for a variety of\nreasons.\n\n5",
126
+ "113\n\n\f\n\nRed-sided Garter Snake Thamnophis sirtalis\nparietalis\n\nSize: Common or Red-sided Garter Snakes are thin\nand about 1.2 m (4 ft.) long.\nDescription: Most have longitudinal stripes of red,\ngreen, blue, yellow, gold, orange, brown or black\non an olive background. Red markings are present\nbetween the stripes.\nHabitat: They are found in marshes, bogs,\nwetlands, ponds and forests. Mating occurs just\nbefore hibernation. Some males mimic a female\nrole to lure away other males when they outnumber\nfemales. Females may delay fertilization by storing\nthe sperm internally until spring. They give birth to\n12-40 live young between July and October.\n\n114",
127
+ "SOUTHERN RED-BACKED VOLE MYODES GAPPERI ......... 83\nNORTHERN BOG LEMMING SYNAPTOMYS BOREALIS ........ 85\nGEOMYIDAE (POCKET GOPHERS) ........................ 87\nNORTHERN POCKET GOPHER THOMOMYS TALPOIDES ..... 88\nSORICIDAE (SHREWS) ............................................... 90\nARCTIC SHREW SOREX ARCTICUS ................................... 91\nMASKED SHREW SOREX CINEREUS ................................. 93\nPYGMY SHREW SOREX HOYI ........................................... 95\nLEPORIDAE (HARES) .................................................. 97\nSNOWSHOE HARE LEPUS AMERICANUS ........................... 98\nWHITE-TAILED JACKRABBIT LEPUS TOWNSENDII ......... 100\nVESPERTILIONIDAE (EVENING BATS) ............... 102\nLITTLE BROWN BAT MYOTIS LUCIFUGUS ..................... 103\nBIG BROWN BAT EPTESICUS FUSCUS ........................... 105\nHOARY BAT AEORESTES CINEREUS............................... 107\nNORTHERN LONG-EARED BAT MYOTIS SEPTENTRIONALIS"
128
+ ]
rag-system/data/converted/10 Vertebrates F.txt ADDED
@@ -0,0 +1,2079 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ VERTEBRATES
2
+ Vertebrates other than humans, found in community environments can include,
3
+ amphibians, birds, fish, reptiles, and mammals (which include rodents). Most of
4
+ these animals are free-living in nature, and only occasionally enter human habitats.
5
+ However, any of them can potentially interfere with human interests or activities,
6
+ and thus become causes of concern or ‘pests’. In such situations, they can cause
7
+ injury by biting or scratching, by disfiguring and damaging food, articles and
8
+ structures by their activities, being health hazards due to their venom, or by
9
+ carrying and spreading pathogens and/or allergens; and sometimes their mere
10
+ presence is inappropriate or unacceptable. Some of these animals have evolved to
11
+ live in association with humans, so much so that they are dependent on human
12
+ proximity; these are referred to as ‘commensals’. Vertebrate pests can cause
13
+ significant environmental, economic and social problems to humans, and as with all
14
+ other pests, correct identification is important in their management.
15
+
16
+ MAMMALS
17
+ Bats are the only mammals that can fly in a sustained manner. They belong to the
18
+ order Chiroptera, the name of which means “hand-wing”, and indicates the
19
+ modification of their limbs to form webbed wings. Sizes and appearances vary
20
+ with species, wingspans of most southwestern species range from 8 -14 inches.
21
+ Bats are known for their excellent flight capabilities and echolocation, which
22
+ involves emitting an ultrasonic sound and listening to its echo as it “bounces” off
23
+ objects. This ability helps bats interpret the distance, size, speed, and even texture
24
+ of an object. Echolocation is particularly useful to bats for locating small, flying
25
+ insect prey at night, such as moths and gnats.
26
+
27
+ General body structure of a bat (Townsend’s big-eared bat)
28
+ Photo: US Bureau of Land Management
29
+
30
+ 168
31
+
32
+
33
+
34
+ Common name(s): Bat
35
+ Scientific name, classification: Different genera, Class: Mammalia, Order:
36
+ Chiroptera, Family: Different families. Mexican free-tailed bats Tadarida brasiliensis
37
+ (Family Molossidae), Ghost-faced bats Mormoops megalophylla (Family
38
+ Mormoopidae), California leaf-nosed bats Macrotus californicus (Family
39
+ Phyllostomidae), Little brown bats Myotis lucifugus, Big brown bats Eptesicus fuscus
40
+ and Pallid bats Antrozous pallidus (Family Verspertilionidae) are common species in
41
+ the southwest U.S.
42
+ Distribution: Worldwide.
43
+ Description and ID characters: They have small to medium sized furry bodies,
44
+ large, hairless ears and small black eyes. Their ‘wings’ consist of thin membranous
45
+ skin stretched between long, thin, jointed ‘fingers’ of their forelegs, their hind legs,
46
+ and including the tail. The tail extends beyond the membrane in some species. The
47
+ first ‘finger’ or thumb of the forelimbs and the ‘toes’ of the hind limbs are free and
48
+ usually not enclosed in the wing membrane, allowing the bats to grip on to surfaces
49
+ or structures and hang upside down in their resting position. Bat faces may
50
+ resemble that of a small dog or similar mammal, but with other unique features
51
+ such as a long tubular nose or variously shaped flaps or folds of skin. They have
52
+ well developed teeth on both jaws that enable them to chew and bite.
53
+ Best identifying feature(s):
54
+ Big brown bats are one of the larger
55
+ species in the U.S., with bodies about
56
+ 6-7 inches in length and wingspans of
57
+ 12-16 inches. They have light brown
58
+ or glossy copper-colored fur on their
59
+ back, and paler fur underneath. Eyes,
60
+ ears, muzzle and wings are all dark
61
+ brown or black. The eyes are small and
62
+ almost hidden in the muzzle, ears are
63
+ small, and pointed. The muzzle is
64
+ Big brown bat
65
+ broad and not condensed, with fleshy
66
+ Photo: US FWS (left), US Geological Survey (right)
67
+ lips and shiny black nose.
68
+ California leaf-nosed bats are
69
+ distinctive because of their large ears
70
+ that are longer than 1 inch, and an
71
+ erect triangular flap called a ‘noseleaf’,
72
+ protruding above the nose. They are
73
+ medium sized bats, with bodies about 6
74
+ inches in length and wingspan of 12-14
75
+ inches. Faces are small, but not
76
+ wrinkled. Eyes are large and black. The
77
+ fur is grayish to dark brown on the
78
+ California leaf-nosed bat
79
+ back and paler underneath. Wings are
80
+ Photo: Drew Stokes, US Geological Survey
81
+ short and broad, and give them great
82
+ maneuverability within short distances, but they are not suited for long-distance.
83
+ 169
84
+
85
+
86
+
87
+ Ghost-faced bats get their name from
88
+ the unusual structure of their faces, which
89
+ have a ‘smashed-in’ appearance. The
90
+ appearance is due to several thick skin
91
+ flaps on their face and chin, poorly
92
+ developed nose, large round ears that
93
+ seem to join across the forehead which
94
+ rises abruptly above the nose, and small
95
+ eyes that appear to be situated within
96
+ Ghost-faced bat
97
+ their ears. They are medium to large
98
+ Photo: Alex Borisenko
99
+ sized bats, about 6 inches in length, and
100
+ wingspan of 14-15 inches. The fur on the back is reddish-brown in color, and pale
101
+ pink underneath.
102
+ Mexican free-tailed bats are recognized by their long tails that extend more than
103
+ one-third beyond the tail membranes and make up almost half the length of their
104
+ bodies. They are medium sized bats, with bodies about 5 inches in length and
105
+ wingspan of 12-14 inches. Wings are long and narrow. The fur on the back is dark
106
+ or grayish brown, with a lighter underside. They have small black eyes; broad, grayblack, forward-pointing ears that are widely set on the head but close behind the
107
+
108
+ Mexican free-tailed bat
109
+
110
+ Mexican free-tailed bat face
111
+
112
+ Photo: J. Scott Altenbach, Univ. of New Mexico
113
+
114
+ Photo: Ann Froschauer, US FWS
115
+
116
+ eyes; a condensed muzzle and wrinkled lips.
117
+ Pallid bats can be identified by their light fur and long ears. The fur is lightyellowish brown or cream colored on
118
+ the back, and almost white
119
+ underneath. The long, pointed ears
120
+ are light pinkish brown in color and
121
+ about 2 inches in length. Pallid bats
122
+ are medium to large sized bats, about
123
+ 6 inches in length and wingspan of
124
+ 15-16 inches. Their faces are light
125
+ pinkish brown, with large black eyes.
126
+ The limbs and wing membrane are
127
+ light brown or pale gray in color.
128
+ Pallid bat
129
+ Photo: Geoff Gallice
130
+
131
+ 170
132
+
133
+
134
+
135
+ Pest status: Non-pest. May occasionally feed on fruit, or stray indoors in search of
136
+ resting places. Cause some public health concern because they can harbor rabies
137
+ viruses and parasites. None of the species encountered in the southwest feed on
138
+ animals or blood.
139
+ Damage/injury: Most bats feed on insects, some feed on fruit or pollen and
140
+ nectar from flowers. They provide valuable pest-control services by feeding on a
141
+ large number of insects. A single bat can eat hundreds of insects an hour, every
142
+ night.
143
+ If bats gain entry into homes and structures, they can create unsightly and
144
+ unsanitary conditions with their droppings (guano), urine, rub-marks and musty
145
+ odors. Bats can harbor various parasitic insects and mites that can be transmitted
146
+ to humans by close contact. Notable among these are bat bugs (Cimex pilosellus)
147
+ which are closely related to, and resemble bed bugs (Cimex lectularius) and can easily
148
+ be mistaken for them. Bat bugs can be encountered in homes and buildings that
149
+ harbor roosting bats, and often bite humans when their primary hosts, bats, move
150
+ away or are eliminated. However, they cannot sustain on humans. Bat roosting
151
+ sites should not be disturbed during maternity season, which varies by region.
152
+ More important is the role of bats as reservoirs of the rabies virus. The rabies
153
+ virus attacks the nervous system and infection is almost always fatal. Bats are the
154
+ principal vector by which humans
155
+ can contract rabies. Symptoms in
156
+ bats vary greatly, and often include
157
+ the inability to fly or flying during
158
+ daylight hours, lethargy, paralysis,
159
+ and death. As a general rule, a bat
160
+ found on the ground or in a
161
+ weakened state is probably a sick
162
+ bat, and therefore has a higher risk
163
+ of being infected with rabies. The
164
+ virus can be transmitted to humans
165
+ and other mammals through bat
166
+ saliva, feces or urine, or bites or
167
+ A group of hibernating bats
168
+ Photo: Krynak Tim, US-FWS
169
+ scratches from their teeth or claws.
170
+ It is very important to be aware
171
+ about bats and their role in rabies transmission, and to teach children never to
172
+ touch a bat, dead or alive. Handling of bats should be avoided as far as possible, as
173
+ well as breathing in dust from bat droppings and urine. Exposure to a suspected
174
+ rabid bat may require immediate medical assessment and care. Bat management
175
+ often requires specialized training and permits.
176
+ Life history: Bats give birth to live young called pups, and the young are fed with
177
+ milk produced by the females. They are some of the slowest reproducing mammals,
178
+ producing only 1-2 pups in a year. Mating can occur in the spring or fall, in which
179
+ case fertilization is delayed until spring – a feature only found in bats among the
180
+ mammals. Most species form large maternity colonies for birthing and raising the
181
+ young; solitary species also exist. Maternity colonies are usually formed in remote,
182
+ undisturbed locations such as deep caves, and may contain thousands of
183
+ individuals. Bat pups reach maturity in 1-2 years and leave their maternal colony.
184
+ 171
185
+
186
+
187
+
188
+ Most bat species also hibernate or migrate during
189
+ cool weather. Hibernating bats are very
190
+ vulnerable to disturbances, as these cause them to
191
+ wake up and utilize their stored fat reserves,
192
+ which are meant to sustain them till the end of
193
+ their hibernation period. Without these reserves,
194
+ bats succumb to starvation or cold and therefore
195
+ it is very important not to disturb hibernating
196
+ bats in caves, mines, rock crevices, hollow trees,
197
+ and buildings. White-Nose Syndrome (WNS) is
198
+ an emerging disease affecting hibernating bats
199
+ and is sometimes characterized a white fungus
200
+ that infects skin of the muzzle, ears, wings and
201
+ Bat with white nose syndrome
202
+ other body parts. WNS may cause bats to awaken
203
+ Photo: Marvin Moriarty, US-FWS
204
+ more often during hibernation or display
205
+ abnormal behavior, such as movement toward the mouth of hibernating caves and
206
+ daytime flights during winter. These bats usually freeze or starve to death.
207
+ However, such abnormal behavior is reported mostly from the eastern parts of the
208
+ U.S.; and western bats, even when affected with WNS may not display the same
209
+ behavior.
210
+ Sources, further information:
211
+ Bats
212
+ http://extension.arizona.edu/sites/extension.arizona.edu/files/pubs/az1456.pdf
213
+ Bats in and around homes
214
+ https://ag.arizona.edu/yavapai/publications/yavcobulletins/Bats%20In%20North
215
+ %20Central%20AZ.pdf
216
+ Bats in the desert and the southwest http://www.desertusa.com/animals/bats.html
217
+ Bat management
218
+ http://www.ipm.ucdavis.edu/PMG/PESTNOTES/pn74150.html
219
+ Desert Animals http://www.desertusa.com/animals.html
220
+ Sonoran desert bat fact sheets https://www.desertmuseum.org/kids/bats/
221
+
222
+ 172
223
+
224
+
225
+
226
+ RODENTS are mammals belonging to the order Rodentia, and almost all rodents
227
+ are small, furry animals with short legs and a long tail. However their most
228
+ characteristic features are their continuously growing front teeth, one pair on both
229
+ upper and lower jaws. All rodents have to continuously wear down their teeth by
230
+ use, or grinding them together, to prevent them from growing uncontrollably.
231
+ Mice and rats are the most common rodents encountered in community
232
+ environments and many species have evolved to live commensally with humans to
233
+ such an extent that they may not survive in natural environments. Other rodents
234
+ are gophers, squirrels, beavers, prairie dogs, hamsters and porcupines.
235
+ NOTABLE SPECIES
236
+ Mice
237
+ Common name(s): Deer mouse
238
+ Scientific name, classification: Peromyscus
239
+ maniculatus, Class: Mammalia, Order:
240
+ Rodentia, Family: Cricetidae.
241
+ Distribution: Throughout North America,
242
+ except far southeast and north.
243
+ Description and ID characters: Small,
244
+ grayish yellow mouse with pointed snout,
245
+ large hairless ears, long tail and large, black
246
+ beady eyes, very similar to the house
247
+ Deer mouse
248
+ mouse. Adults measure about 5 to 7 inches
249
+ Photo: Gregory ‘Slobirdr’ Smith
250
+ including the tail, the body alone is 2 ½ to 4
251
+ inches in length. Sizes can vary with the
252
+ habitat.
253
+ Best identifying feature(s): Small size, pointed snout, hairless ears, long and scaly
254
+ hairless tail. Eyes and ears are larger than those of the house mouse. Fur is
255
+ distinctly two-toned: the upper side of the body and tail varies from light grayish
256
+ brown or tan to dark brown, and is clearly demarcated from the underside and feet
257
+ which are white in color. The tail is covered with fine hairs, and is not completely
258
+ hairless as in the house mouse. Deer mice are excellent runners and jumpers, much
259
+ faster and higher than house mice.
260
+ Pest status: Occasional chewing, biting and structural pest indoors, occasional pest
261
+ of crops and other plants outdoors. Principal reservoirs of hantaviruses.
262
+ Damage/injury: Deer mice are not usually encountered indoors, but can easily
263
+ enter homes and structures due to their small size. Once indoors, they readily
264
+ consume, damage and contaminate food, stored items and structures. Outdoors,
265
+ they can be a pest of agricultural crops and garden plants. They feed voraciously
266
+ on seed and also hoard them, which can lead to reduction in yields and
267
+ regeneration of plants in the wild.
268
+ Deer mice are most important because they are carriers of the deadly hantavirus
269
+ called Sin Nombre Virus, which is responsible for the often fatal disease Hantavirus
270
+ Pulmonary Syndrome (HPS) in humans. Deer mice carry and spread the virus
271
+ 173
272
+
273
+
274
+
275
+ through their saliva, urine and droppings. Humans can acquire the virus through
276
+ inhalation or broken skin, when present in a contaminated area.
277
+ Life history: Deer mice are nocturnal and primarily an outdoor species by nature,
278
+ spending the daytime hidden in tree holes, or underground burrows. They build
279
+ small untidy nests with various kinds of plant material, near a food source and most
280
+ activity is concentrated around the nest. Breeding can occur year-round but is
281
+ mostly dependent on food availability. A single female can produce 4-5 litters in a
282
+ year and the average adult lifespan is about 1 year in the wild.
283
+ Common name(s): House mouse
284
+ Scientific name, classification: Mus
285
+ musculus, Class: Mammalia, Order:
286
+ Rodentia, Family: Muridae.
287
+ Distribution: Worldwide.
288
+ Description and ID characters:
289
+ Small, grayish brown mouse with
290
+ pointed snout, hairless ears and tail
291
+ and black beady eyes. Adults
292
+ House mouse
293
+ measure about 5 to 7 inches including
294
+ Photo: J.N. Stuart
295
+ the tail, the body alone is 2 ½ to less
296
+ than 4 inches in length.
297
+ Best identifying feature(s): Small size, pointed
298
+ snout, large hairless ears, long and scaly hairless
299
+ tail. Upper side of the body is covered with short,
300
+ grayish brown or tan hair, underside is lighter
301
+ colored (but not white). Feet are hairless and
302
+ grayish pink in color. A distinct notch in visible on
303
+ the front teeth, when viewed from the side.
304
+ Movement is by walking or running on all four
305
+ legs, but are also known to jump, stand on their
306
+ hind feet using the tail for balance, they also climb
307
+ Notch on front teeth in side view
308
+ up rough vertical surfaces, to reach up to a food
309
+ Photo: Magne Flåten
310
+ source or nesting site. Young mice can squeeze
311
+ through openings as small as ¼ inch in diameter, and prefer to maintain contact
312
+ with vertical surfaces such as walls as they move.
313
+ House mice are nocturnal by nature and tend to avoid light, but can occasionally
314
+ venture out during the daytime in search of food. They are intelligent and cautious
315
+ and easily escape notice. Signs of their presence, such as feet tracks, chew/gnaw
316
+ marks, oily rub marks, droppings and urine, fallen hair, and chewed up paper, cloth
317
+ or wood, are often found before the mice themselves.
318
+ Several other small rodent species found in and around homes and structures, e.g.,
319
+ deer mice and meadow voles, can be mistaken for house mice. House mice can also
320
+ be mistaken for young black or brown rats. Fig.1 (under ‘Rats’) provides tips for
321
+ quick differentiation between the species. Droppings can be helpful when
322
+ identifying species, but are not conclusive, especially when viewed alone. Fig. 2
323
+ provides useful tips for identification of rodent droppings. Mice and rats leave
324
+ 174
325
+
326
+
327
+
328
+ numerous micro droplets of urine wherever they travel, which fluoresce under UV
329
+ light and can help in detecting their activity.
330
+ Pest status: Chewing, biting and structural pest.
331
+ Can consume, damage and contaminate food,
332
+ stored items and structures with their droppings
333
+ and urine, produce allergens and carry and spread
334
+ pathogens.
335
+ Damage/injury: In human homes and
336
+ structures, house mice are omnivorous and will
337
+ feed on almost any human food material as well as
338
+ many other household items including cardboard,
339
+ soap, leather, etc. Before feeding, they test the
340
+ material by nibbling and this can cause unsightly
341
+ chew or gnaw marks. They thrive in food storage
342
+ areas or pantries if undetected for a long time,
343
+ Mouse nest in bird box
344
+ where along with consuming and damaging food
345
+ Photo: Bet Zimmerman, Sialis.org
346
+ and food packaging materials, they contaminate
347
+ everything with their urine and droppings, and this can also cause a musky odor.
348
+ Outdoors, house mice can occasionally damage crops and garden plants. They are
349
+ known for their preference for seeds
350
+ and grains, which they will consume in
351
+ the field as well as bring to their nests
352
+ for storage.
353
+ House mice can physically destroy a
354
+ variety of materials found in homes and
355
+ structures such as paper, cardboard,
356
+ wood and cloth by shredding them to
357
+ make nests. They can also cause
358
+ structural damage to furniture,
359
+ upholstery, woodwork, electrical and
360
+ plumbing lines, computer systems and
361
+ Mouse nest with young ones
362
+ machinery by chewing or gnawing in an
363
+ Photo: Kelly Madigan
364
+ attempt to reach food or nesting sites.
365
+ House mice are not considered important public health hazards, but they are
366
+ known to carry and spread pathogens that cause murine typhus, bubonic plague,
367
+ leptospirosis and food poisoning. They can spread parasites such as fleas, mites,
368
+ tapeworms and ticks to humans and domestic animals.
369
+ House mice have not been found to be carriers of the deadly hantavirus, but the
370
+ similar species-deer mice are known to carry it.
371
+ Life history: House mice are almost always found closely associated with humans.
372
+ They may occupy secluded spots outdoor, in wooded areas, fields and gardens
373
+ during warm weather but these are not usually very far away from human homes
374
+ and structures such as barns and outbuildings. Although they can survive
375
+ outdoors, feeding on plant material, small insects and other invertebrates, they will
376
+ try to move indoors as the weather gets cooler. Outdoors, they live in concealed
377
+ spots such as tree stumps or under stones, or may dig underground burrows. In
378
+ human structures, they will nest in any suitable hidden and undisturbed spot with a
379
+ 175
380
+
381
+
382
+
383
+ nearby food source. Nests are untidy
384
+ piles of any material they can collect,
385
+ such as paper, cardboard, wires, wood
386
+ shavings, etc., but the insides are lined
387
+ with softer and more finely shredded
388
+ materials such as cloth. House mice
389
+ have an extremely high reproductive
390
+ potential and they breed year-round in
391
+ favorable conditions. A single female
392
+ can produce 5-10 litters, each with 5-8
393
+ young ones or pups. The pups are
394
+ Mouse nest under car bonnet
395
+ Photo: John Hummel
396
+ born blind and hairless, but become
397
+ fully furred by 2 weeks, weaned by 3
398
+ weeks and sexually mature by 5-7 weeks. Females can become pregnant again
399
+ before the pups are weaned. The average lifespan is 1 ½ to 2 years in the wild, but
400
+ mice can live for much longer in captivity (5 years). Social behaviors of house mice
401
+ vary with their location and food availability. House mice tend to avoid black rats
402
+ and Norway rats, which prey on them.
403
+ Common name(s): Meadow vole, meadow mouse, field mouse
404
+ Scientific name, classification: Microtus spp., Class: Mammalia, Order: Rodentia,
405
+ Family: Cricetidae. The montane vole M.
406
+ montanus and the California vole M.
407
+ californicus are common southwestern
408
+ species.
409
+ Distribution: Western U.S., Canada
410
+ Description and ID characters: Small,
411
+ grayish brown heavy-bodied rodent, with
412
+ similarities to house mice and gophers,
413
+ about 5-5 inches in length including the
414
+ tail. Sizes and appearance can vary with
415
+ Montane vole/ meadow vole
416
+ Photo: Roger W. Barbour, www.mnh.si.edu
417
+ the habitat.
418
+ Best identifying feature(s): Short, stout
419
+ but compact body, short legs and small thin tail, covered with fine fur, small eyes,
420
+ small and partially hidden ears. Fur is dark grayish brown on the upper side of the
421
+ body and tail, and paler (not white) on the
422
+ undersides and flanks; but the body is not
423
+ distinctly two-toned as in deer mice.
424
+ Voles spend most of the daytime in their
425
+ burrows underground, but they have
426
+ distinct runways above ground and these
427
+ can be indicative of their activity. They
428
+ try to cover runways with cut grass or
429
+ other plant material, but sometimes green
430
+ colored droppings can be found near
431
+ Vole runways
432
+ Photo: Stephen M. Vantassel, UNL Extension
433
+ burrow entrances.
434
+ 176
435
+
436
+
437
+
438
+ Pest status: Occasional pest of crops and other plants outdoors.
439
+ Damage/injury: Voles can feed on and damage a wide variety of agricultural
440
+ crops, garden plants and turf. The damage can be severe when their populations
441
+ build up during certain times of the year. They can also disfigure landscapes with
442
+ their extensive burrows.
443
+ Voles are primarily outdoor species, and may be encountered in gardens, fields and
444
+ other wooded areas near homes and structures, but rarely indoors.
445
+ Life history: Meadow voles are mostly crepuscular (foraging during dawn and
446
+ dusk) throughout the year, and feed on different plant materials, fungi and small
447
+ insects or other invertebrates. They build underground nests in their burrows,
448
+ lined with plant matter. Breeding usually occurs from late spring to early fall, with
449
+ 3-4 litters in a year. Average lifespan is less than a year.
450
+ Rats
451
+ Common name(s): Black rat, roof rat, house rat, ship rat
452
+ Scientific name, classification:
453
+ Rattus rattus, Class: Mammalia,
454
+ Order: Rodentia, Family:
455
+ Muridae.
456
+ Distribution: Worldwide.
457
+ Description and ID characters:
458
+ Medium sized, slender dark-brown
459
+ to black colored rat with a long
460
+ scaly tail almost always longer than
461
+ the body. Adults measure about
462
+ 12 inches from nose to tail, the
463
+ Black rat/roof rat
464
+ body alone is 5-7 inches in length.
465
+ Photo: E.J. Taylor/CDC
466
+ Best identifying feature(s):
467
+ Medium sized, heavier body than
468
+ house mice, mostly covered with untidy dark brown, dark grey or black fur with
469
+ lighter underside, with no demarcation between the upper and lower sides; pointed
470
+ muzzle; large black eyes, large and almost hairless ears that can be pulled over the
471
+ eyes; and long, hairless, tail as long as or longer than body, with annulations (rings).
472
+ Movement is by walking or running on all four legs, but they can also stand on
473
+ their two hind feet. They can squeeze
474
+ through openings as small as ½ inch in
475
+ diameter, and prefer to maintain contact
476
+ with vertical surfaces such as walls. They
477
+ are agile runners and climbers, and can
478
+ easily and swiftly climb up trees and other
479
+ rough, vertical surfaces, and even run along
480
+ overhead electric wires and utility lines
481
+ using their tail for balance. As with house
482
+ mice, black rats are seldom seen during the
483
+ Roof rat in grain store
484
+ daytime and tend to avoid light. However,
485
+ Photo: H. Zell
486
+ signs such as foot prints, chew/gnaw
487
+ 177
488
+
489
+
490
+
491
+ marks, oily rub marks, droppings and urine, hair, and chewed up paper, cloth or
492
+ wood, are indicative of their presence.
493
+ Adult black rats can be confused with brown/Norway rats, and young ones with
494
+ house mice. Fig.1 provides tips for quick differentiation between the species.
495
+ Droppings can be helpful when identifying the species, but are not conclusive,
496
+ especially when viewed alone. Fig. 2 provides useful tips for identification of rodent
497
+ droppings.
498
+
499
+ Fig.1. Field identification of domestic rodents
500
+ Photo: U.S. Department of Health, Education and Welfare
501
+
502
+ Fig.2. Field identification of rodent vs. cockroach droppings
503
+ Photo: EPA, www2.epa.gov/sites/production/files/documents/Module05.pdf
504
+
505
+ 178
506
+
507
+
508
+
509
+ Pest status: One of the most important rodent pests worldwide. Serious biting,
510
+ chewing and structural pest, of public health concern as carriers of fleas vectoring
511
+ bubonic plague and other human diseases.
512
+ Damage/injury: Black rats are generalist omnivores, and will feed on almost any
513
+ kind of food material. They will readily feed on human food as well as pet,
514
+ livestock or poultry feed, and have a preference for fruits and nuts. Before feeding,
515
+ they test the material by nibbling and this can cause unsightly chew or gnaw marks.
516
+ They thrive in food storage areas, granaries or pantries if undetected for a long
517
+ time, where along with consuming and damaging food and food packaging
518
+ materials, they contaminate it with their urine and droppings, and this can also
519
+ cause a foul odor.
520
+ In addition to food damage, black rats physically destroy a variety of materials
521
+ found in homes and structures such as paper, cardboard, wood and cloth by
522
+ shredding them to make nests. They can also cause structural damage to furniture,
523
+ upholstery, woodwork, electrical and plumbing lines, computer systems and
524
+ machinery by chewing or gnawing in an attempt to reach food or nesting sites.
525
+ Burrowing and nesting activities of black rats can weaken and damage building
526
+ foundations, and can also result in water leaks and electrical fires.
527
+ Black rats can be agricultural pests by
528
+ damaging crops and a wide range of garden
529
+ plants and trees. They can attack standing
530
+ crops in the field for their fruit, damage roots
531
+ and underground stems by burrowing, and
532
+ even strip off the bark from trees and shrubs.
533
+ They can be invasive threats to the natural
534
+ ecosystem in certain areas by feeding
535
+ voraciously on birds and insects.
536
+ Roof rat damage to mattress
537
+ Black rats, together with their parasites such
538
+ Photo: Joan Kovatch
539
+ as mites and fleas, carry and spread number of
540
+ pathogens causing human diseases. Notable
541
+ among them are bubonic plague, typhus,
542
+ salmonellosis and leptospirosis. Rats are one of
543
+ the preferred hosts of the Oriental rat flea,
544
+ Xenopsylla cheopis which is the primary vector of
545
+ bubonic plague. However, rats are not regarded
546
+ as important vectors of plague today- the
547
+ disease is more associated with squirrels, prairie
548
+ dogs, chipmunks and other wild rodents. Rats
549
+ also host other flea species, mites, nematodes
550
+ and other worms.
551
+ Life history: Black rats are primarily nocturnal,
552
+ but can be active occasionally during the
553
+ daytime. They usually spend the daytime hidden
554
+ in their nests and tend to avoid light. Because
555
+ of their climbing abilities, they are easily able to
556
+ reach higher locations such as treetops, attics
557
+ Extensive roof rat damage on a roof
558
+ and higher floors of buildings for food and
559
+ Photo: Bart Teeuwisse
560
+ 179
561
+
562
+
563
+
564
+ nesting sites. They rarely burrow underground, and prefer to nest in these higher
565
+ locations. Nests are built of various materials that are available in their habitat, and
566
+ may include plant parts, wood, cardboard, or cloth. They are known to tear up
567
+ insulating material in walls and machinery and use it for nesting. Breeding occurs
568
+ year-round if favorable conditions exist. A single female can produce up to 5 litters
569
+ in a year. The young are born blind and hairless, but become fully furred and
570
+ weaned by 4 weeks, and sexually mature by 3 months. The average lifespan is 2
571
+ years. Black rats may form small social, male-dominated groups especially during
572
+ breeding season and may co-exist with other black rats in a location, but they are
573
+ generally aggressive towards other rodents, especially Norway rats. Black rats and
574
+ Norway rats can occur in the same location, but do not exist in harmony and
575
+ always occupy different spots. For example in a building, black rats restrict
576
+ themselves to attics, or higher floors, while Norway rats may stay in the basement
577
+ or ground floors. Norway rats are dominant and will easily kill black rats in
578
+ encounters.
579
+ Common name(s): Brown rat,
580
+ Norway rat, sewer rat
581
+ Scientific name, classification:
582
+ Rattus norwegicus, Class: Mammalia,
583
+ Order: Rodentia, Family: Muridae.
584
+ Distribution: Worldwide.
585
+ Description and ID characters:
586
+ Large sized, grayish brown rat with a
587
+ short scaly tail almost always
588
+ appearing shorter than the body.
589
+ Brown rat/Norway rat
590
+ Adults measure about 18-20 inches
591
+ Photo: Sergey Yeliseev
592
+ from nose to tail, the body alone is 810 inches in length. One of the
593
+ largest domestic rodents in the U.S.
594
+ Best identifying feature(s): Large size,
595
+ heavy and stocky body much larger than
596
+ black rats; coarse, thick brown or dark gray
597
+ fur that is lighter on the underside but with
598
+ no demarcation between upper and lower
599
+ sides; blunt muzzle; small eyes; small,
600
+ hairless ears that cannot reach over the
601
+ eyes if pulled; thick tail, about the same
602
+ length or shorter than the body and
603
+ Closer view of brown rat featurescoarse, brown fur, blunt muzzle,
604
+ covered with short hair. Movement is by
605
+ small eyes and ears
606
+ walking or running on all four legs, can
607
+ Photo: Dawn Gouge
608
+ stand on the two hind feet. They can
609
+ squeeze through gaps as small as ½ inch in diameter, and prefer to maintain
610
+ contact with vertical surfaces such as walls. Good runners and swimmers, but do
611
+ not climb as well as black rats. As with house mice and black rats, Norway rats are
612
+ secretive and averse to light, seldom being seen during the daytime. However, they
613
+ leave several signs of their activity such as feet tracks, chew/gnaw marks, oily rub
614
+ 180
615
+
616
+
617
+
618
+ marks, droppings and urine, hair, and chewed up paper, cloth or wood that can
619
+ indicate their presence. Any of these signs near gaps or holes in building walls or
620
+ foundations, burrows in the ground and tracks through ground cover near homes
621
+ or structures may indicate a brown rat infestation.
622
+ Adult Norway rats can be confused with black rats. Refer Fig. 1 above for tips to
623
+ differentiate between them, and Fig. 2, to distinguish between their droppings.
624
+ Pest status: One of the most important rodent pests worldwide. Serious biting,
625
+
626
+ Brown rat burrow entrance
627
+
628
+ Rat gnaw marks on electric cable
629
+
630
+ Photo: Gary Alpert, Bugwood.org
631
+
632
+ Photo: NY State IPM Program
633
+
634
+ chewing and structural pest, of public health concern as vectors of bubonic plague
635
+ and other human diseases.
636
+ Damage/injury: Norway rats are very similar to black rats in their feeding habits.
637
+ They are generalist omnivores, feeding on a wide range of food material, with a
638
+ preference for cereal grains, which form a major part of their diet. Before feeding,
639
+ they test the material by nibbling and this can cause unsightly chew or gnaw marks.
640
+
641
+ Holes in the ground (left) and tracks through ground cover near buildings (right) are indicative
642
+ of rat infestations. Photos: Dawn Gouge
643
+
644
+ They thrive in food storage areas, granaries or pantries if undetected for a long
645
+ time, where along with consuming and damaging food and food packaging
646
+ materials, they contaminate it with their urine and droppings, and this can also
647
+ cause a foul odor.
648
+ In addition to food damage, Norway rats physically destroy a variety of materials
649
+ found in homes and structures such as paper, cardboard, wood and cloth by
650
+ shredding them to make nests. They can also cause serious structural damage to
651
+ furniture, upholstery, woodwork, soft metals such as copper or aluminum, electrical
652
+ and plumbing lines, computer systems and machinery by chewing or gnawing in an
653
+ attempt to reach food or nesting sites. Their burrowing and nesting activities can
654
+ 181
655
+
656
+
657
+
658
+ weaken and damage building foundations, and can also result in water leaks and
659
+ electrical fires. They have been reported to harm and even kill humans, especially
660
+ infants, small children and infirm adults. They can inflict painful bites if handled.
661
+ Norway rats can be serious agricultural pests by damaging crops and a wide range
662
+
663
+ Gaps or holes in walls or foundations
664
+ provide entryways to rats..
665
+
666
+ Poorly maintained trash areas are preferred
667
+ habitats for rats and mice
668
+
669
+ Photo: Dawn Gouge
670
+
671
+ Photo: Gary Alpert, Bugwood.org
672
+
673
+ of garden plants and trees. They can attack standing crops in the field for their
674
+ fruit, damage roots and underground stems by burrowing, and even strip off the
675
+ bark from trees and shrubs. They can be invasive threats to the natural ecosystem
676
+ in certain areas by displacing native fauna and feeding voraciously on birds and
677
+ insects. They are known to have displaced black rats from many parts of the world.
678
+ Norway rats, together with their parasites such as mites and fleas, carry and spread
679
+ number of pathogens causing human diseases. Notable among them are bubonic
680
+ plague, typhus, salmonellosis and leptospirosis. Rats are one of the preferred hosts
681
+ of the Oriental rat flea, Xenopsylla cheopis which is the primary vector of bubonic
682
+ plague. However, rats are not regarded as important vectors of plague today- the
683
+ disease is more associated with squirrels, prairie dogs, chipmunks and other wild
684
+ rodents. They also host other flea species, mites, nematodes and other worms.
685
+ Life history: Norway rats are nocturnal or
686
+ crepuscular. They have established foraging
687
+ routes and seldom stray from these. New
688
+ foraging paths are explored with great caution
689
+ and once established, they are retained in their
690
+ memory. Nests are built underground in soil, or
691
+ in sewers and cellars, and are often linked to an
692
+ extensive system of burrows and tunnels. Nests
693
+ are dug out in the soil, but lined with various
694
+ soft, finely shredded materials. Breeding can
695
+ occur year-round and up to 5 litters are
696
+ produced in a year, each with 7-14 young ones.
697
+ Average lifespan is about 1 year. Norway rats
698
+ live in large hierarchical groups within the
699
+ burrows, and exhibit different kinds of social
700
+ Brown rat nest in a wall void
701
+ Photo: Joseph LaForest, Bugwood.org
702
+ behavior such as grooming and foraging
703
+ together. However, they do not exist in
704
+ harmony with other rodent species, especially the black rat.
705
+ 182
706
+
707
+
708
+
709
+ Norway rats and black rats can occur in the same location, but always occupy
710
+ different spots. For example in a building, black rats restrict themselves to attics,
711
+ or higher floors, while Norway rats may stay in the basement or ground floors.
712
+ Norway rats are dominant and can easily kill black rats in encounters.
713
+ Common name(s): Cotton rat
714
+ Scientific name, classification: Sigmodon spp., Class: Mammalia, Order:
715
+ Rodentia, Family: Cricetidae. The hispid cotton rat Sigmodon hispidus is common in
716
+ the southwest.
717
+ Distribution: Throughout North and South America.
718
+ Description and ID characters: Small to medium sized, grayish-brown rodents.
719
+ Adults measure about 6-12 inches
720
+ from nose to tail. Sizes and
721
+ appearances vary with the habitat.
722
+ Best identifying feature(s): Small,
723
+ rounded body; fur color on the
724
+ upper side of the body is often a
725
+ coarse mixture of tan, brown and
726
+ black; the lower sides being pale
727
+ gray or white; short tail, often
728
+ shorter than the length of
729
+ head+body. An additional
730
+ Cotton rat
731
+ characteristic feature of Sigmodon
732
+ Photo: Stephen Pollard
733
+ hispidus is the ‘S’-shaped crown
734
+ pattern on the second and third molars.
735
+ Pest status: Occasional pest of agricultural crops and other plants. Can harbor and
736
+ spread parasitic insects, mites, pathogenic bacteria, tapeworms and other worms.
737
+ Damage/injury: Cotton rats do not generally cause direct damage to humans, but
738
+ can feed on and damage several garden and landscape plants, as well as agricultural
739
+ crops. They can occasionally cause damage to grasses, fleshy roots and tubers and
740
+ fruits, resulting in reduced yields. Crop damage is related to their population
741
+ densities, which fluctuate throughout the year.
742
+ Cotton rats can also harbor various parasites on their bodies, which can be
743
+ transferred to humans and domestic animals.
744
+ They are also known to compete with some native fauna such as the bobwhite
745
+ quail for food resources, and feed on quail eggs.
746
+ Life history: Cotton rats are active throughout the day, but the main activity is
747
+ from late afternoon to midnight. They construct nests using various plant materials
748
+ under logs and rocks for protection, or abandoned dens of larger mammals such as
749
+ skunks or squirrels. They also construct an elaborate system of runways and tunnels
750
+ below the ground surface. Main runways are regularly maintained by trimming away
751
+ grasses and weeds and piling them along the sides. Breeding can occur throughout
752
+ the year. Females usually produce 1-2 litters per year. Average lifespan is about 6
753
+ months.
754
+
755
+ 183
756
+
757
+
758
+
759
+ Common name(s): Wood rat, pack rat, trade rat
760
+ Scientific name, classification: Neotoma spp., Class: Mammalia, Order:
761
+ Rodentia, Family: Cricetidae. The white-throated wood rat N. albigula, the desert
762
+ wood rat N. lepida, the dusky-footed wood rat, Neotoma fuscipes, the Mexican wood
763
+ rat N. mexicana and the bushy-tailed wood rat, N. cinerea are common southwestern
764
+ species.
765
+ Distribution: Southwest U.S.
766
+ Description and ID characters: Medium
767
+ sized, rat-like rodents with large years, large
768
+ eyes and long furry or hairy tail. Body sizes
769
+ range from 12-14 inches including the tail, the
770
+ body alone can be 6-7 inches in length.
771
+ Best identifying feature(s): Medium size;
772
+ much larger than house mice, and resemble
773
+ roof rats in general size and shape but
774
+ distinguished by the long tail covered with fur
775
+ White-throated wood rat
776
+ Photo: Brad Fiero, www.wc.pima.edu
777
+ or long hairs, larger eyes and ears, and a
778
+ generally clean, soft appearance. Fur is soft;
779
+ colored cinnamon, brown, gray, yellowish
780
+ gray or creamy buff on the upper side of the
781
+ body; the lower side and feet are generally
782
+ much lighter; tail fur may be slightly darker
783
+ than the rest of the body, and is paler on the
784
+ underside. External ears are large, rounded
785
+ and hairy; eyes are large and dark and
786
+ somewhat slanting and deeply set into the
787
+ Desert wood rat
788
+ face.
789
+ Photo: Eric Gofreed
790
+ Pest status: Occasional pests of various
791
+ plants, harbor several parasites on their bodies
792
+ and in their nests. They can be a nuisance by
793
+ their noisy, nest-building activities.
794
+ Damage/injury: Pack rats do not generally
795
+ cause direct damage to humans, but can feed
796
+ on and damage several garden and landscape
797
+ plants. Packrat nests are known to harbor
798
+ many parasitic mites, ticks, fleas and other
799
+ Dusky-footed wood rat
800
+ Photo: Peterson B. Moose, US FWS
801
+ insects on their bodies and in their nests.
802
+ Notable among these are the conenose bugs,
803
+ which are an important bloodsucking pest of
804
+ humans.
805
+ Life history: Pack rats are primarily nocturnal
806
+ and solitary animals, except when mating or
807
+ rearing young. However they are known to
808
+ build nests close together, forming a
809
+ community. Their nests, called dens or
810
+ ‘middens’, are complex structures consisting of
811
+ Bushy-tailed wood rat
812
+ several chambers, with piles of stored food
813
+ Photo: Steve Schubert, www.condorlookout.org
814
+ 184
815
+
816
+
817
+
818
+ and debris. They can be built on the ground,
819
+ among rocks or tree bases, or among tree
820
+ branches, or in abandoned nests and burrows
821
+ of other animals. In the desert, packrat dens are
822
+ common in cholla cactus bases, using the cactus
823
+ spines as a protection from predators. Ground
824
+ dens measure 3 to 5 feet in height and diameter;
825
+ tree nests are somewhat smaller. One animal
826
+ Mexican wood rat
827
+ may inhabit several nests, and in good feeding
828
+ Photo: R.B. Forbes, Am. Soc.of Mammalogists
829
+ areas, a den may be occupied for several years
830
+ or a lifetime. Packrats are known to use aromatic plant leaves to line their nests to
831
+
832
+ Pack rat nest under among cactuses
833
+
834
+ Desert wood rat near midden
835
+
836
+ Photo: Cliff Hutson
837
+
838
+ Photo: Dick Hartshorne, SearchNet Media
839
+
840
+ keep out parasites. They are also very attracted to small, bright, shiny objects such
841
+ as coins, small pieces of jewelry, broken bits of mirrors, metal spoons, etc. and
842
+ often pick these up, leaving sticks, nuts, cactus pieces or other materials in ‘trade’.
843
+ Breeding usually occurs in early summer and females can produce up to 5 litters per
844
+ year, each with 4-5 young. The young ones become sexually mature in 2 months.
845
+ Average lifespan is about 1-2 years.
846
+ Sources, further information:
847
+ Mammal pests including rattlesnakes http://ucanr.org/sites/vpce/files/86153.pdf
848
+ Mouse management
849
+ http://ag.arizona.edu/urbanipm/buglist/mousemanagement.pdf
850
+ Integrated pest management of the house mouse in schools
851
+ http://ir.library.oregonstate.edu/xmlui/bitstream/handle/1957/38106/em9062.pd
852
+ f
853
+ Roof rat control around homes and other structures
854
+ http://extension.arizona.edu/sites/extension.arizona.edu/files/pubs/az1280.pdf
855
+ Vertebrate pests-mammals
856
+ http://www.ipm.ucdavis.edu/PMG/menu.house.html#DESTROY
857
+
858
+ 185
859
+
860
+
861
+
862
+ Common name(s): Pocket gopher,
863
+ gopher
864
+ Scientific name, classification:
865
+ Thomomys spp., Class: Mammalia,
866
+ Order: Rodentia, Family: Geomyidae.
867
+ Valley/Botta’s pocket gopher Thomomys
868
+ bottae is the most common southwestern
869
+ species. The desert pocket gopher
870
+ Geomys arenarius and the yellow-faced
871
+ pocket gopher Pappogeomys castanops are
872
+ other species that may be found in parts
873
+ of New Mexico, Colorado and Texas.
874
+ Pocket gopher with mound
875
+ Photo: Royal Tyler
876
+ Distribution: Throughout the U.S.
877
+ Description and ID characters:
878
+ Medium to large sized, stout-bodied rodent, measuring 7-10 inches in length, with
879
+ short hairless tail of about 2 inches. The term ‘gopher’ may refer to any member of
880
+
881
+ Botta’s pocket gopher-full view. They are seldom seen above ground in this manner.
882
+ Photo: Dave Beaudette
883
+
884
+ the family Geomyidae, which are the “true gophers” as well as other related rodents
885
+ such as ground squirrels; or moles, which belong to a different family and are not
886
+ technically rodents.
887
+ Best identifying feature(s): Gophers are rarely seen above ground, and so it is
888
+ difficult to observe them for identification. The best indicators of gopher activity
889
+ are the mounds of soil that they create
890
+ during their tunneling activities
891
+ underground. Sometimes they emerge
892
+ briefly from their tunnels, and during these
893
+ short sightings, they can be quickly
894
+ recognized by their stout, stocky bodies,
895
+ well adapted for a life under the soil.
896
+ Botta’s pocket gophers have fine dark gray,
897
+ brown or black fur mostly matching the soil
898
+ in the habitat; with paler undersides. The
899
+ muzzle is blunt and rounded, with long pale
900
+ Botta’s pocket gopher showing front teeth
901
+ Photo: Eric Gofreed
902
+ white whiskers on both sides. Four large,
903
+ 186
904
+
905
+
906
+
907
+ smooth orange front teeth are visible in
908
+ front of the face towards the lower side,
909
+ with lips closing behind them so that the
910
+ teeth are always exposed and the lips
911
+ prevent soil and debris from entering their
912
+ mouth while the teeth are used for digging.
913
+ Eyes are small and beady, ears are small,
914
+ hairy and almost sunken into the fur.
915
+ Pocket gopher with cheek pouches full
916
+ Cheeks have fur-lined pouches or pockets
917
+ Photo: Dave Kirkeby
918
+ that give them their common name, and are
919
+ used to carry food or nesting materials. The
920
+ pockets extend from the sides of the mouth back to the shoulders, and can be
921
+ turned inside out for emptying and cleaning. Legs are short and powerful; front
922
+ legs are equipped with long claws for digging. Whiskers and tail are used for
923
+ navigation within tunnels.
924
+ Desert pocket gophers are similar in size and appearance to Botta’s pocket gophers,
925
+ but have 2 prominent grooves on each of their upper front teeth and longer claws
926
+ on their front paws. Yellow-faced pocket gophers are usually smaller than the other
927
+ two; have lighter fur, single grooves on their upper front teeth, and larger front feet
928
+ and claws. Fig. 3 provides identification tips to distinguish between the three
929
+ genera.
930
+
931
+ Thomomys
932
+
933
+ Geomys
934
+
935
+ Pappogeomys
936
+
937
+ Fig. 3. Diagrams showing the differences between the common pocket gopher genera
938
+ Source: Turner et al. 1973. Colorado State Univ. Exp. Stn. Bulletin 554S
939
+
940
+ Gophers create an intricate network of tunnels under the ground, which provide
941
+ them shelter, protection and pathways to collect food. The mounds of loose soil
942
+ that can be seen above the ground as indicators of their activity are actually covered
943
+ up entrances to their tunnels. The mounds are crescent or fan shaped, and are
944
+ created when the gophers throw out loose soil from the tunnel entrance. Often,
945
+ they will open up some of these entrances to air the tunnels, dry them out after a
946
+ heavy rain, or to forage for short distances. Round patches of missing vegetation in
947
+ a new area may indicate gopher activity under the ground, because they are known
948
+ to open up small holes in the ground from within their tunnels and pull whole
949
+ plants down by their roots.
950
+ Pest status: Important pest of turf and landscapes, because of their tunneling
951
+ activities. Can inflict painful bites if threatened or cornered.
952
+ 187
953
+
954
+
955
+
956
+ Gopher mounds in a school playing field (top); in open unoccupied ground (bottom left); and
957
+ in adjacent property (bottom right)
958
+ Photos: Shaku Nair
959
+ Photo: Cynthia Cheney
960
+
961
+ Damage/injury: Gophers are mostly herbivorous, and feed on a wide range of
962
+ crop and garden plants, cutting up their roots, as well as above ground parts. More
963
+ important is the damage caused to lawns, yards, playing fields, gardens and other
964
+ landscaped areas by their
965
+ extensive mounds and tunnels.
966
+ The tunneling can also destroy
967
+ water hoses, and drip and
968
+ sprinkler irrigation systems, often
969
+ diverting large amounts of
970
+ irrigation water causing water loss
971
+ and erosion. Gopher activity
972
+ aerates the soil to some extent,
973
+ but over long periods of time, it
974
+ creates large areas devoid of
975
+ vegetation and limits
976
+ Typical crescent-shaped gopher mound with soil plug
977
+ establishment of new seedlings.
978
+ in the center. Photo: Cynthia Cheney
979
+ 188
980
+
981
+
982
+
983
+ Life history: Gophers are mostly solitary animals, with each individual developing
984
+ its own tunnels and territories. They need moist soil, and irrigated landscapes in
985
+ the southwest serve as ideal habitats, where they have deep permanent tunnels for
986
+ nesting and storing food, as well as shallow tunnels to forage. Nests are excavated
987
+ inside their tunnels and are cushioned with grass or other softer plant material.
988
+ They also have large food storage chambers with bare sides, where they hoard
989
+ grains and other food material for the colder months. Gophers group together
990
+ only for mating. A female can produce up to 2 litters per year, each with 2-6
991
+ young, which become sexually mature in 3 months and leave the mother’s nest.
992
+ Average lifespan is 2 years.
993
+ Sources, further information:
994
+ Controlling pocket gophers in New Mexico http://aces.nmsu.edu/pubs/_l/L109.pdf
995
+ Controlling pocket gophers
996
+ http://www.okrangelandswest.okstate.edu/files/wildlife%20pdfs/NREM9001.pdf
997
+ Mammal pests including rattlesnakes http://ucanr.org/sites/vpce/files/86153.pdf
998
+ Pocket gophers http://icwdm.org/handbook/rodents/PocketGophers.asp
999
+ Pocket gopher control techniques
1000
+ http://agr.mt.gov/agr/Programs/PestMgt/VertebratePest/Bulletins/pdf/Pocket
1001
+ Gopher.pdf
1002
+ Vertebrate pests-mammals
1003
+ http://www.ipm.ucdavis.edu/PMG/menu.house.html#DESTROY
1004
+
1005
+ 189
1006
+
1007
+
1008
+
1009
+ Common name(s): Squirrel
1010
+ Scientific name, classification: Different species, Class: Mammalia, Order:
1011
+ Rodentia, Family: Sciuridae. The rock squirrel Otospermophilus variegatus, California
1012
+ ground squirrel Otospermophilus beecheyi, round-tailed ground squirrel Xerospermophilus
1013
+ tereticaudus, and Harris’ antelope squirrel Ammospermophilus harrisii are common
1014
+ southwestern species.
1015
+ Distribution: Worldwide.
1016
+ Description and ID characters: Small to large sized, furry grayish brown rodents
1017
+ with long, bushy tails and large dark eyes. Sizes and appearances vary with the
1018
+ species.
1019
+ Best identifying feature(s):
1020
+ California ground squirrels are
1021
+ medium to large animals, measuring up
1022
+ to 20 inches in length. Their fur is
1023
+ brownish-gray, speckled with white on
1024
+ the back. The sides of the face and
1025
+ shoulders are lighter in color and the
1026
+ belly is light gray or tan.
1027
+
1028
+ California ground squirrel
1029
+ Photo: Thomas O’Brien
1030
+
1031
+ Harris’s antelope squirrels are much
1032
+ smaller than rock squirrels, measuring up to 15-18
1033
+ inches including the tail. They have distinctive grey
1034
+ fur with brown highlights on the sides and legs, and
1035
+ a white stripe along both sides of the trunk. The
1036
+ bushy tail is about 4 inches long and covered with
1037
+ long, dark gray or black hairs. Eyes are large, black
1038
+ and lined with white; ears are small and short.
1039
+
1040
+ Harris’s antelope squirrel
1041
+ Photo: Eric Gofreed
1042
+
1043
+ Round-tailed ground squirrels are the
1044
+ smallest of the southwestern species,
1045
+ measuring about 8-10 inches in length,
1046
+ including the tail. Their fur is uniform
1047
+ sandy brown in color with no markings,
1048
+ matching the soil of their habitat, and
1049
+ lighter on the underside. The tail is long
1050
+ and round and not bushy, but covered
1051
+ with short fur similar in color to the
1052
+ body. Eyes are large, black and lined
1053
+ with a light margin. Ears are small and
1054
+ placed back on the head.
1055
+ 190
1056
+
1057
+ Round-tailed ground squirrel
1058
+ Photo: Ryan Kaldari
1059
+
1060
+
1061
+
1062
+ Rock squirrels are the largest of the southwestern ground squirrels, their bodies
1063
+ measuring about 12 inches and their long bushy tails adding another 10 or 12
1064
+ inches to their total length. The head is light brown or tan, fur on the back of the
1065
+ neck and shoulders is speckled gray, black and white, while the lower back is tinged
1066
+ with brown. The underside of the body is pale gray or white. The long bushy tail is
1067
+ edged with white. Eyes are large and black, surrounded by a light colored ring, and
1068
+ pointed ears projecting above their heads.
1069
+
1070
+ Rock squirrel
1071
+ Photo: Marcia Bradley
1072
+
1073
+ Various species of tree squirrels are also found throughout the southwest.
1074
+ Pest status: Pests of crops, landscape and garden plants, can cause structural
1075
+ damage to wooden structures. Can harbor and spread various pathogens causing
1076
+ human diseases, notably bubonic plague.
1077
+ Damage/injury: Squirrels mostly cause damage by feeding on fruit, nut and grain
1078
+ bearing plants in gardens and landscapes. They can also damage young seedlings,
1079
+ strip bark from trees causing girdling, and burrow around roots.
1080
+ Squirrels can also chew on plastic water hoses and irrigation tubes. Some species
1081
+ burrow into the ground and create unsightly mounds in landscaped areas and
1082
+ around buildings, resulting in weakening and structural damage.
1083
+ They carry many parasitic insects,
1084
+ mites and ticks and along with
1085
+ them, may spread pathogens to
1086
+ humans who come in contact with
1087
+ them, especially when squirrel
1088
+ populations are high. Notable
1089
+ among these is the plague bacterium
1090
+ Yersinia pestis. Squirrels are highly
1091
+ susceptible to plague and they are
1092
+ infested through fleas which
1093
+ parasitize them. Dead squirrels
1094
+ Rock squirrel near its nest in a rock crevice
1095
+ should never be handled, and large
1096
+ Photo: Siobhan Basile
1097
+ 191
1098
+
1099
+
1100
+
1101
+ numbers of dead squirrels in an area should be reported immediately to public
1102
+ health officials.
1103
+ Life history: Squirrels vary greatly in their habitat and nesting behavior. They
1104
+ mostly nest in burrows, in the ground or in trees or rocks. Most squirrels are
1105
+ daytime foragers and are active from midmorning to late afternoon. They feed on
1106
+ various plant materials as well as small insects and other invertebrates.
1107
+ Sources, further information:
1108
+ Controlling rock squirrel damage in New Mexico
1109
+ http://aces.nmsu.edu/pubs/_circulars/CR574.pdf
1110
+ Desert Animals http://www.desertusa.com/animals.html
1111
+ Vertebrate pests-mammals
1112
+ http://www.ipm.ucdavis.edu/PMG/menu.house.html#DESTROY
1113
+
1114
+ 192
1115
+
1116
+
1117
+
1118
+ OTHER LARGE MAMMALS
1119
+ Common name(s): Coyote
1120
+ Scientific name, classification: Canis
1121
+ latrans, Class: Mammalia, Order:
1122
+ Carnivora, Family: Canidae.
1123
+ Distribution: Throughout North
1124
+ America and parts of Central and South
1125
+ America.
1126
+ Description and ID characters:
1127
+ Coyotes are medium-sized animals
1128
+ resembling dogs or wolves, and are
1129
+ closely related to them. Instances of
1130
+ Coyote
1131
+ mating between these related species are
1132
+ Photo: Jitze Couperus
1133
+ also known, producing hybrids known
1134
+ informally as ‘coywolves’ or ‘coydogs’.
1135
+ Most coyotes are 1 ½ to 2 feet in height at the shoulders. Coat colors are various
1136
+ shades of brown or gray, mostly darker on the back and lighter on the belly. Tails
1137
+ are usually bushy and darker towards the tip.
1138
+ Best identifying feature(s): Resemblance to dogs or wolves, but usually smaller
1139
+ and thinner, with longer, bushier tails; longer, narrower muzzles and large pointed
1140
+ ears. Coyote activity can also be identified by their tracks (more elongated than dog
1141
+ tracks), fallen hair, droppings, tooth marks, or remains of food or animals that they
1142
+ prey on. They also produce various typical sounds known as howls, yelps or barks.
1143
+ Pest status: Nuisance pests, can attack native and pet animals and birds, cause
1144
+ public health concern because they can harbor pathogens and parasites.
1145
+ Damage/injury: Coyotes readily feed on a variety of food material including
1146
+ human food, pet food, fruits, seeds, small animals, insects, as well as garbage. They
1147
+ can cause damage to household articles and structures, garden and irrigation
1148
+ structures, and objects stored in yards and outside homes, in their attempts to reach
1149
+ food materials. They also prey on native birds and small animals and rodents.
1150
+ Coyotes can react aggressively, and are known to stalk and attack children, adults
1151
+ and pet animals causing injuries. As with other wild mammals, coyotes can harbor
1152
+ the rabies virus, as well as many other parasitic insects, mites, ticks, worms, and
1153
+ disease-causing microorganisms. These can be transmitted to humans and domestic
1154
+ animals by close or regular contact.
1155
+ Life history: Coyotes are extremely adaptable, and this is one of the reasons for
1156
+ their success and ever-expanding range. They can live in diverse habitats, and are
1157
+ known to change their diet, breeding habits and social aspects to suit the
1158
+ environment they inhabit. By nature, coyotes are wary of humans and tend to avoid
1159
+ them, but many individuals are known to have lost their fear and thrive in and
1160
+ around human habitats. They are also known to recognize and avoid trapping or
1161
+ snaring devices, which enables them to freely inhabit human environments. It is
1162
+ important to recognize coyote activity and avoid practices that encourage them, to
1163
+ tackle the problems they might create around community environments. Providing
1164
+ food intentionally or unintentionally (such as by leaving pet food and garbage
1165
+ 193
1166
+
1167
+
1168
+
1169
+ open), can greatly attract and encourage coyotes to come closer to homes and
1170
+ buildings, and should be avoided.
1171
+ Coyotes form small social groups called packs, consisting of a dominant female and
1172
+ her mate, and several younger males and females. Breeding usually occurs once a
1173
+ year in late winter, and a pair will form a small nesting area called a ‘den’ in tree
1174
+ hollows, burrows, or under rock ledges. The young ones called ‘pups’ are born in
1175
+ March-April and a litter has 6 pups on average. They are cared for by the parents
1176
+ for 2-3 months till they are completely weaned and start hunting on their own.
1177
+ They mature by 8-10 months, after which some pups leave their pack and seek out
1178
+ new groups, while others stay with their parents till they are much older.
1179
+ Common name(s): Feral cat
1180
+ Scientific name, classification: Felis catus, Class: Mammalia, Order: Carnivora,
1181
+ Family: Felidae.
1182
+ Distribution: Worldwide.
1183
+ Description and ID characters:
1184
+ Feral cats are descendants of
1185
+ domestic or housecats or their
1186
+ young ones, which have turned wild.
1187
+ They belong to the same genus and
1188
+ species as domesticated cats and are
1189
+ physically indistinguishable from
1190
+ them, but behave differently due to
1191
+ lack of any kind of socialization or
1192
+ human contact. Feral cats are
1193
+ different from free-range cats and
1194
+ A group of feral cats
1195
+ stray cats, which have or have had
1196
+ Photo: Boris Dimitrov
1197
+ contact with humans in their lives.
1198
+ Feral cats are those that have never had human contact in their lives. Offspring of
1199
+ stray cats can be considered feral if they are
1200
+ born in the wild, and never found by their
1201
+ owners. Feral cats are also different from the
1202
+ ‘true wildcats’ Felis sylvestris, from which present
1203
+ day domestic or housecats are believed to have
1204
+ descended. Wildcats occur only in truly wild
1205
+ areas and are rarely encountered in community
1206
+ environments, except those that are very close
1207
+ Wildcat
1208
+ to forested or mountainous regions. They bear
1209
+ Photo: Sylvia Rost
1210
+ many resemblances to domestic cats, but are
1211
+ generally larger, with longer legs, more robust body and larger, rounded heads with
1212
+ wider spaced ears. Their fur and tails are thicker and usually of uniform gray-brown
1213
+ or color with different spots, stripes or bands.
1214
+ The problem of feral cats is a growing one, aggravated by failure to neuter pet cats
1215
+ resulting in their uncontrolled breeding, and the following abandonment of their
1216
+ kittens.
1217
+ Best identifying feature(s): Aggressive, defensive or avoidance behaviors such as
1218
+ growling, hissing, hiding behind, under or above structures and reluctance to come
1219
+ 194
1220
+
1221
+
1222
+
1223
+ close to humans. Often have injuries on various parts of the body due to
1224
+ encounters with other feral cats or other animals.
1225
+ Pest status: Nuisance pests, can attack native
1226
+ and pet animals and birds, cause public health
1227
+ concern because they can harbor pathogens
1228
+ and parasites.
1229
+ Damage/injury: Feral cats are hunters by
1230
+ nature. They can pose serious threats to local
1231
+ native wildlife such as birds, amphibians,
1232
+ reptiles, rodents and other small mammals and
1233
+ insects. When they are unable to catch prey in
1234
+ Feral cat showing typical defensive features
1235
+ Photo: Eric Gofreed
1236
+ the open, feral cats often turn to domesticated
1237
+ animals and birds such as poultry and even
1238
+ domestic cats.
1239
+ Feral cats can harbor several parasitic insects, mites, ticks, worms and pathogens on
1240
+ their bodies because of their wild lifestyle. These can be easily transmitted to
1241
+ domestic animals, birds and humans by close or regular contact. Disease that can
1242
+ be transmitted by feral cats include salmonellosis, toxoplasmosis, ringworm, rabies
1243
+
1244
+ Male feral cat with injured left ear (left): Photo: Philip Kahn;
1245
+ and a female with an injured or diseased right eye (right): Photo: Chriss Haight Pagani
1246
+
1247
+ and plague.
1248
+ It is important to avoid feeding feral cats, even though it might be considered
1249
+ humane. Feeding provides them an easy source of food, but will not cause them to
1250
+ lose their feral nature which is established when
1251
+ they were born and raised in the wild. Some
1252
+ feral cats may appear more docile than others,
1253
+ but truly domesticating them is difficult.
1254
+ Life history: Feral cats are adapted to live and
1255
+ survive in a wide variety of situations. They
1256
+ inhabit a number of structures around
1257
+ community environments such as alleys,
1258
+ sewers, dumpster areas, barns and outbuildings,
1259
+ and surrounding wooded areas, and forage
1260
+ Feral cat with prey (rabbit)
1261
+ within a radius of about 2 miles from their
1262
+ Photo: Eddy Van3000
1263
+ resting spots. They will feed on any available
1264
+ 195
1265
+
1266
+
1267
+
1268
+ food of plant or animal origin, including small animals and birds, as well as garbage.
1269
+ Many feral cats are regularly provided food by humans.
1270
+ Even in their hostile environments, feral cats breed prolifically. Mating takes place
1271
+ in late spring through summer and females can produce up to 5 litters per year with
1272
+ 2-10 kittens in each. The kittens are cared for by their mothers who will move
1273
+ them frequently to avoid detection by predators which include the male cats. The
1274
+ kittens mature by 7-10 months and disperse. Average life expectancy is 3-5 years,
1275
+ compared to 15 years in domestic cats.
1276
+ Common name(s): Javelina, collared
1277
+ peccary, musk hog
1278
+ Scientific name, classification: Pecari
1279
+ (Tayassu) tajacu, Class: Mammalia, Order:
1280
+ Artiodactyla, Family: Tayassuidae.
1281
+ Distribution: Southwest U.S.; North and
1282
+ Central South America.
1283
+ Description and ID characters: Medium
1284
+ sized, pig or boar-like mammal, about 2 feet
1285
+ in height at the shoulders.
1286
+ Collared peccary/javelina
1287
+ Best identifying feature(s): Boar-like
1288
+ Photo: Wing-Chi Poon
1289
+ appearance; body covered with short, coarse
1290
+ dark brown and black colored hair. Some
1291
+ hairs have whitish bands, giving the coat a salt-and-pepper appearance. Hair around
1292
+ the neck or shoulders is lighter in color, giving the appearance of a collar. Hairs on
1293
+ the back of the neck (mane) are longest (up to 6 inches long) and can stand erect
1294
+ when the animal is excited. Face is pointed towards the front into a snout with a
1295
+ flat end, resembling a pig’s snout. Sharp canine teeth (tusks) protrude about 1 inch
1296
+ beyond the jaws. Legs are short and have hooves.
1297
+ Pest status: Occasional pests of turf, garden and landscape plants and other
1298
+ garden and irrigation structures. Can cause damage to mobile homes and other
1299
+ temporary structures when seeking shade under them. Can also cause physical
1300
+ injury to humans and other animals with their tusks.
1301
+ Damage/injury: Feed on and damage a number of cultivated crops, landscape
1302
+ and garden plants. They are more problematic
1303
+ in communities near desert washes, mountains
1304
+ or other wooded areas. Javelina usually ignore
1305
+ humans, but can charge to attack if threatened,
1306
+ and can injure humans and other animals with
1307
+ their tusks. They also release a strong musky
1308
+ odor when alarmed. Mothers are especially
1309
+ protective of their young.
1310
+ Life history: Javelina are mostly active after
1311
+ sunset, although they can be seen moving
1312
+ during the daytime. They usually rest in the
1313
+ shade of trees or rocky outcrops during the heat
1314
+ Group of javelina resting in shade
1315
+ of the day. In natural settings, they can occupy
1316
+ Photo: Anonymous, Opencage.net
1317
+ various habitats and opportunistically feed on
1318
+ 196
1319
+
1320
+
1321
+
1322
+ the available plants as well as other small reptiles, vertebrates and insects. Prickly
1323
+ pear cactuses are a preferred and important part of their diet. Javelina form small
1324
+ social groups of about 6-20 individuals, sometimes larger. Breeding can occur
1325
+ throughout the year and females produce up to 2 litters, each with 1-2 young in a
1326
+ year. The young ones are weaned at 6 weeks and become sexually mature in about
1327
+ 10 months. It is important to never purposefully feed wandering javelina, because
1328
+ this will prompt them to become regular visitors to an area and lose their shyness
1329
+ of humans. This can give rise to further problems, including damage of crops and
1330
+ property and attracting larger predators of javelina such as coyotes or mountain
1331
+ lions.
1332
+ Common name(s): Skunk
1333
+ Scientific name, classification: Different species, Class: Mammalia, Order:
1334
+ Carnivora, Family: Mephitidae. The western spotted skunk Spilogale gracilis is a
1335
+ common southwestern species. The striped skunk Mephitis mephitis is also common
1336
+ and widely distributed throughout the U.S.
1337
+ Distribution: Southwest U.S.
1338
+ Description and ID characters: Medium sized, stout and elongated mammals
1339
+ about 1 ½ -2 feet in height at the shoulders and about the same in body length, and
1340
+ a long hairy tail about 10-12 inches in length. The head is conical with a pointed
1341
+ muzzle, and beady black eyes. Legs are short, hairy and muscular and equipped
1342
+ with long claws. They walk with a distinctive slow, waddling or shuffling gait and
1343
+ cannot move very fast, and therefore they have other defense methods: their fur
1344
+ has vivid warning coloration and they are well known for their ability to spray
1345
+ strongly-scented, pungent liquids from their
1346
+ rear ends that can temporarily disable most
1347
+ predators.
1348
+ Best identifying feature(s):
1349
+ Spotted skunks are the smaller of the two
1350
+ species. Their bodies are covered with thick,
1351
+ glossy black fur with distinct white broken
1352
+ stripes and spots; with a single white spot on
1353
+ the forehead or above the nose. They have a
1354
+ conspicuously large hairy tail, also colored black
1355
+ with a white tip and often held up like a
1356
+ Western spotted skunk
1357
+ feathery fan behind the animal.
1358
+ Photo: US National Park Service
1359
+ Striped skunks are slightly larger and heavier,
1360
+ and their bodies are almost fully covered with
1361
+ thick, glossy black fur except for two distinct
1362
+ broad white stripes on the back. The stripes
1363
+ join and extend to form a broad white area
1364
+ above the neck, and backwards over the large
1365
+ hairy tail. The forehead bears a single narrow
1366
+ white stripe.
1367
+ Pest status: Occasional pest of crop, garden
1368
+ and landscape plants. Their defensive sprays
1369
+ Striped skunk
1370
+ Photo: Dan & Lin Dzurisin
1371
+ can be extremely irritating to the eyes and skin
1372
+ 197
1373
+
1374
+
1375
+
1376
+ of humans and other animals. Cause some public health concern because they can
1377
+ harbor rabies viruses and parasites.
1378
+ Damage/injury: Skunks are opportunistic omnivores and will feed on any food
1379
+ material, including plants, insects and other smaller arthropods, reptiles, birds,
1380
+ carrion of all kinds and human food. They can damage garden and landscape
1381
+ plants, dig up holes in lawns and turf in search of grubs and worms, as well as
1382
+ destroy garden structures such as bird houses, bee hives and boxes, and irrigation
1383
+ structures. Bird eggs are one of their preferred foods, as are honey bees and honey.
1384
+ They are known to disturb bee hives and catch the emerging bees, their long thick
1385
+ hair offering protection against stings. Skunks also feed on garbage and will
1386
+ regularly visit porches, garages or basements that have an assured supply of pet
1387
+ food.
1388
+ If threatened or disturbed, skunks typically
1389
+ assume a warning stance by stamping their
1390
+ feet and raising and fluffing up their long
1391
+ tails. If the disturbance continues, they
1392
+ will turn around and by stand up on their
1393
+ forelegs with their rear end facing the
1394
+ intruder and raise their hind legs into the
1395
+ air. Finally, they will react in their
1396
+ characteristic manner, and spray the
1397
+ notorious pungent fluid. The fluid is
1398
+ produced from scent glands located on
1399
+ Western spotted skunk with raised tail
1400
+ either side of their anus and they can
1401
+ Photo: Ray Bruun
1402
+ shoot it as far as 10 feet. It is powerful
1403
+ smelling and potent, and can cause nausea, severe burning and temporary blindness
1404
+ on eye contact, and is difficult to remove from clothing. Skunks themselves often
1405
+ hesitate to use the fluid and will not spray if they are in a confined space and
1406
+ cannot get their tails out of the way. It takes them about 10 days to refill their
1407
+ supply after it is exhausted.
1408
+ Skunks are more frequently encountered in urban communities because of
1409
+ disturbances of their natural habitat, and are very often run over by passing
1410
+ vehicles, which also releases their characteristic smell. Some people try to trap,
1411
+ domesticate and keep skunks as pets, for their attractive fur. However, it is
1412
+ important to remember that skunks carry several parasitic insects, mites and ticks in
1413
+ their luxuriant fur that can be transmitted to humans and pet animals by close and
1414
+ regular interaction.
1415
+ More importantly, skunks are reservoirs of the rabies virus, which can cause the
1416
+ deadly disease, rabies, in humans and pet animals if transmitted by bites, scratches
1417
+ or other bodily fluids from infected skunks. Skunks are also known as carriers of
1418
+ other human and animal diseases such as leptospirosis, listeriosis, canine hepatitis,
1419
+ tularemia, etc.
1420
+ Life history: Skunks are nocturnal and solitary by nature. They build single dens,
1421
+ sometimes occupying abandoned dens of other animals or other suitable spots such
1422
+ as wood piles, hollow logs, or under crawl spaces and mobile homes and forage
1423
+ around their dens. Spotted skunks are good climbers and may occasionally forage
1424
+ in trees. Skunks mostly breed once a year in the spring and the young ones called
1425
+ 198
1426
+
1427
+
1428
+
1429
+ ‘kits’ are born in the summer, around May. Spotted skunks breed in the fall, but
1430
+ they have delayed implantation of the embryo, because of which their young are
1431
+ also born in the summer. Litters have 4-8 kits, which stay with the mother for
1432
+ several months, mature at about 1 year and disperse. Mothers are very protective of
1433
+ their kits and will spray at the slightest sign of danger.
1434
+ Sources, further information:
1435
+ Desert Animals http://www.desertusa.com/animals.html
1436
+ Feral cats and their management
1437
+ http://ianrpubs.unl.edu/live/ec1781/build/ec1781.pdf
1438
+ IPM tactics for managing feral cats
1439
+ http://www.ipminstitute.org/school_ipm_2015/Feral_cats_pest_press.pdf
1440
+ Managing a feral cat colony http://zimmer-foundation.org/art/pdf/08.pdf
1441
+ Managing skunk problems in Missouri http://extension.missouri.edu/p/g9454
1442
+ Striped skunks
1443
+ http://wildlifecontrol.info/pubs/Documents/Skunks/Striped%20Skunks.pdf
1444
+ The javelina in Texas
1445
+ https://tpwd.texas.gov/publications/pwdpubs/media/pwd_bk_w7000_1669.pdf
1446
+ Urban coyote ecology and management
1447
+ http://ohioline.osu.edu/b929/pdf/b929.pdf
1448
+ Vertebrate pests-mammals
1449
+ http://www.ipm.ucdavis.edu/PMG/menu.house.html#DESTROY
1450
+
1451
+ 199
1452
+
1453
+
1454
+
1455
+ REPTILES
1456
+ Lizards are some of the most common reptiles in community environments. The
1457
+ term ‘lizard’ can technically refer to any of several similar scaly reptiles, including
1458
+ some that are legless such as the legless lizards. However, most lizards can be
1459
+ differentiated from snakes, which are also elongated, legless and scaly, by the
1460
+ presence of legs and external ears. The common reptiles that are referred to as
1461
+ ‘lizards’ mostly belong to a group (suborder) of reptiles called Iguania. They are
1462
+ characterized by dry, scaly skin, four short legs with claws, external ear openings
1463
+ and eyelids. Sizes and appearances vary greatly with species and their habitats.
1464
+ They are mostly terrestrial (land-dwelling), many are arboreal (live in trees). Lizard
1465
+ tails are differently colored and textured, compared to the rest of their bodies.
1466
+ Many species shed their tails in defense, and regenerate them later. The detached
1467
+ tail continues to move by reflex action for some time, distracting the predator and
1468
+ allowing the lizard to escape. Most lizards are carnivorous and are important
1469
+ predators in their natural environments, feeding on many other smaller animals.
1470
+ Some species feed on plants, and some are omnivorous. Most species reproduce by
1471
+ laying eggs, some give birth to live young.
1472
+ Common name(s): Lizard (Iguanian lizard)
1473
+ Scientific name, classification: Different genera, Class: Reptilia, Order:
1474
+ Squamata, suborder Iguania, Family:
1475
+ Different families. The desert spiny
1476
+ lizard Sceloporus magister and the
1477
+ horned lizards Phrynosoma spp.
1478
+ (Family Phrynosomatidae) are
1479
+ common and important
1480
+ southwestern species.
1481
+ Distribution: Worldwide.
1482
+ Description and ID characters:
1483
+ Best identifying feature(s): The
1484
+ desert spiny lizard is robust,
1485
+ Desert spiny lizard
1486
+ Photo: Ryan Kaldari
1487
+ medium to large sized, measuring 5-6
1488
+ inches including the tail. The entire
1489
+ body is covered with small pointed scales with raised tips or keels, giving an overall
1490
+ spiny appearance. Scales on the belly
1491
+ do not have raised tips. Base body
1492
+ color is pale gray or tan scattered with
1493
+ dark gray, black, white, tan or blue
1494
+ scales. There is a ring of dark or black
1495
+ scales around or under the neck,
1496
+ forming a collar. Some individuals
1497
+ have vivid bluish green throats and
1498
+ bellies. Desert spiny lizards exhibit
1499
+ Desert spiny lizard showing ventral color
1500
+ metachromatism, by which they adjust
1501
+ Photo: Philip Kahn
1502
+ their internal temperature by changing
1503
+ color, and appear darker during cooler
1504
+ 200
1505
+
1506
+
1507
+
1508
+ times and lighter when it gets warm. Its
1509
+ body colors enable it to be camouflaged
1510
+ among its surroundings, and escape
1511
+ notice by predators. The belly/throat
1512
+ colors are used in communication with
1513
+ other lizards.
1514
+ Horned lizards exhibit excellent
1515
+ camouflage and often go undetected in
1516
+ the desert landscape. They have flat,
1517
+ toad-like bodies (and are sometimes
1518
+ referred to as ‘horny toads’), often in
1519
+ Horned lizard
1520
+ shades of light brown or gray and
1521
+ Photo: Kevin D. Hartnell
1522
+ covered with numerous warts and
1523
+ thorn-like projections, arranged in characteristic patterns specific to the species.
1524
+ Body lengths range from 3-5 inches. Most species have a row of larger thorns
1525
+ around the base of the head often encircling the head like a collar. Some species
1526
+ have rows of fringe-like spiny scales along the sides of the body. A defensive
1527
+ strategy adopted by some species is squirting blood from around their eyes. The
1528
+ blood produced by the rupturing of blood capillaries around the eyes in the excited
1529
+ state and can be shot out for a distance of up to 5 feet. It often serves to surprise
1530
+ predators, but can also be irritating to the skin on contact.
1531
+ Pest status: Non-pests.
1532
+ Damage/injury: Lizards are primarily outdoor reptiles, but can stray indoors
1533
+ occasionally in search or pursuit of prey. None of the common lizards are
1534
+ venomous, but can bite if disturbed or handled roughly. They have sharp teeth that
1535
+ can puncture the skin.
1536
+ Life history: Lizards are found in diverse habitats throughout the southwest. They
1537
+ are mostly diurnal (active during day) and carnivorous, feeding on insects or other
1538
+ smaller reptiles and invertebrates, rarely on some plants. Like other reptiles, lizards
1539
+ are cold-blooded, and their body temperatures are affected by the environment.
1540
+ They are adapted to the heat in the deserts, by having higher preferred body
1541
+ temperatures than other reptiles. When mid-day temperatures get too high, they
1542
+ will seek shade in underground burrows, which are much cooler than the surface
1543
+ soil, or under vegetation.
1544
+ Desert spiny lizards are territorial, and the males defend their territories by
1545
+ performing ‘push-ups’ revealing their brightly colored bellies and throats. A
1546
+ territory will have a dominant male and several females and sub-adults. However,
1547
+ the males are mostly seen alone or paired with a female during breeding. Females
1548
+ lay one clutch of about 5-20 eggs in the summer, which hatch in 2-3 months.
1549
+ Horned lizards are known as important predators of harvester ants, but they will
1550
+ also feed on other insects. Their body shape and size often reduce their mobility,
1551
+ but also serves to intimidate predators when they appear suddenly from their
1552
+ surroundings. They can also puff themselves up and appear larger than usual when
1553
+ confronted. The horned lizard’s flat bodies enable them to obtain the maximum
1554
+ warmth from their surroundings during cooler days, but on hotter days, they
1555
+ burrow into the soil. Most species lay eggs, in clutches of about 30, but some
1556
+ 201
1557
+
1558
+
1559
+
1560
+ produce live young. Nests are
1561
+ usually formed at the end of small
1562
+ burrows underground.
1563
+ Horned lizards have cultural
1564
+ significance in many regions of the
1565
+ southwest, and it is considered
1566
+ bad luck to kill them. Some
1567
+ Texas horned lizard
1568
+ Photo: Steve Hillebrand, US-FWS
1569
+ species of horned lizards are
1570
+ believed to be declining due to
1571
+ several reasons, including overuse of pesticides and invasive fire ants-both of which
1572
+ reduce native ants which are the lizards’ preferred food source. The Texas horned
1573
+ lizard P. cornutum is now a protected species.
1574
+ A different group of lizards that might be
1575
+ encountered in some desert communities,
1576
+ especially in rocky areas, are chuckwallas
1577
+ (Sauromalus spp.) belonging to the family
1578
+ Iguanidae. They are larger and bulkier lizards,
1579
+ sometimes measuring up to 16 inches in length,
1580
+ with long thick tails, short stocky limbs, and
1581
+ characteristic, loose folds of skin over the sides of
1582
+ their body and around the neck. The head ends in
1583
+ a large, blunt snout. Body colors are variable,
1584
+ often black, dark brown or dark gray, sometimes
1585
+ with reddish, orange, pink or yellow tinges. Males,
1586
+ females and young ones often vary in their
1587
+ coloration. The males are territorial and mark their
1588
+ territories using secretions produced from glands
1589
+ Common chuckwalla
1590
+ Photo: Adrian Pingstone
1591
+ on their inner thighs. Chuckwallas are primarily
1592
+ herbivorous and feed on different plants
1593
+ throughout their habitat. Although they may look threatening, these lizards are
1594
+ harmless and will always run away when disturbed. Their characteristic defense
1595
+ strategy is squeezing their body into tight concealed spaces and inflating themselves
1596
+ to stay tightly wedged, till the intruder passes.
1597
+
1598
+ Ornate tree lizard (left) and side-blotched lizard (right)
1599
+ Photos: Ben Lowe
1600
+
1601
+ 202
1602
+
1603
+
1604
+
1605
+ Other iguanian lizards that are frequently
1606
+ observed in community environments of
1607
+ the desert southwest are the Yarrow’s spiny
1608
+ lizard Scleroporus jarrovii, the side-blotched
1609
+ lizard Uta stansburiana, and the ornate tree
1610
+ lizard Urosaurus ornatus. Tree lizards are well
1611
+ adapted to urban environments and are
1612
+ often moved around by people enabling
1613
+ them establish outside their natural ranges.
1614
+
1615
+ Yarrow’s spiny lizard
1616
+ Photo: Thomas Brennan, www.reptilesofaz.org
1617
+
1618
+ The only venomous lizards in the U.S. are
1619
+ the Gila monsters Heloderma suspectum (Family Helodermatidae). They are rarely
1620
+ found in urban community environments, and are mostly restricted to wild
1621
+ habitats. However, they can be encountered on communities near their natural
1622
+ habitats, especially on well watered
1623
+ properties adjacent to forested or wooded
1624
+ areas. Being large (about 2 feet in length)
1625
+ and conspicuously patterned, they are
1626
+ easily noticed, but they do not pose a
1627
+ threat to humans because of their slow
1628
+ and sluggish nature. They occur in low
1629
+ densities, and spend most of the year
1630
+ underground.
1631
+ Gila monsters are protected throughout
1632
+ their range, and it is illegal to disturb
1633
+ Gila monster
1634
+ them. In situations where there is a need
1635
+ Photo: H. Zell
1636
+ to remove them, help must be sought
1637
+ from local forest or wildlife departments.
1638
+
1639
+ Geckos are terrestrial lizards characterized by their colorful skin patterns and large
1640
+ bulging eyes. All geckos (except those belonging to the family Eublepharidae) lack
1641
+ eyelids and they lick their eyes periodically to keep them clean and moist. Sizes and
1642
+ appearances vary with species. Geckos can lose their tails in defense and
1643
+ regenerate them. The feet of most species are equipped with specialized toe-pads
1644
+ that enable them to climb smooth vertical and even some horizontal surfaces
1645
+ upside down. They produce distinct sounds or squeaks that are used to
1646
+ communicate about their territory, or for courtship.
1647
+ Common name(s): Gecko
1648
+ Scientific name, classification: Different species, Class: Reptilia, Order:
1649
+ Squamata, infraorder Gekkota, Family: Different families. The western banded
1650
+ gecko Coleonyx variegatus (Family Eublepharidae), the peninsular leaf-toed gecko
1651
+ Phyllodactylus nocticolus (Family Phyllodactylidae), and the Mediterranean house gecko
1652
+ Hemidactylus turcicus (Family Gekkonidae) are common southwestern species.
1653
+ Distribution: Worldwide.
1654
+
1655
+ 203
1656
+
1657
+
1658
+
1659
+ Description and ID characters: Small lizards, mostly 4-6 inches in length
1660
+ including the tail. Their bodies are covered with small, fine scales (as opposed to
1661
+ larger, raised scales in other lizards), giving them a shiny or smooth appearance.
1662
+ Best identifying feature(s):
1663
+ Western banded geckos range are about
1664
+ 4-6 inches in length including the tail. The
1665
+ upper surface of the body is covered with
1666
+ fine scales, giving it a velvety texture. Base
1667
+ color is light brownish yellow with dark
1668
+ brown bands and sopts. The skin on the
1669
+ belly and limbs is thin and translucent pink
1670
+ and toes are long and thin.
1671
+ Peninsular leaf-toed geckos are smaller,
1672
+ about 3 inches long with tail. The body is
1673
+ Western banded gecko
1674
+ covered with minute raised scales giving
1675
+ Photo: David Scriven
1676
+ them a rough appearance. Base color is pale
1677
+ gray, grayish-pink or light yellow with a number of dark blotches or patches,
1678
+ sometimes forming a pattern. Belly skin is pale gray or cream colored. It has long,
1679
+ widely spaced toes with expanded tips, and walks with a splayed gait. They are
1680
+ restricted to rocky fields or canyons and are rarely found around human habitats.
1681
+ Mediterranean house geckos are one of
1682
+ the most widely distributed species in the
1683
+ world, and popular as pets. They measure
1684
+ 2-3 inches in length. Upper surfaces of the
1685
+ body and legs are covered with small
1686
+ granular scales, some larger than others.
1687
+ Base color is pinkish brown, gray or tan,
1688
+ with numerous dark spots and often dark
1689
+ stripes on the tail. Skin on the belly and
1690
+ Peninsular leaf-toed gecko
1691
+ undersides of the feet is translucent creamy
1692
+ Photo: Ben Lowe
1693
+ white in color. Toes are short and stubby,
1694
+ hind toes have slightly expanded tips.
1695
+ Pest status: Non-pests.
1696
+ Damage/injury: Geckos are primarily outdoor lizards, but often wander indoors
1697
+ in following small prey. They are harmless and non-venomous, feeding on small
1698
+ insects, spiders and scorpions, providing
1699
+ some pest control in and around community
1700
+ environments.
1701
+ Life history: Geckos are secretive and
1702
+ nocturnal by nature, although they can be
1703
+ occasionally spotted during the daytime. They
1704
+ usually forage at night, and capture prey by
1705
+ quick motions and sharp teeth. They shed
1706
+ their skin at regular intervals, including their
1707
+ teeth. Geckos are oviparous, and lay up to 3
1708
+ clutches of 2 soft-shelled eggs (occasionally
1709
+ Mediterranean house gecko
1710
+ 1) per year. The surface of the eggs of most
1711
+ Photo: Hexasoft
1712
+ 204
1713
+
1714
+
1715
+
1716
+ species are covered with an adhesive substance that hardens and attaches the eggs
1717
+ to any surface they are laid on. Some species can reproduce asexually by producing
1718
+ eggs that are clones of the mother and develop without fertilization.
1719
+ Snakes are reptiles with narrow, elongated bodies and can be distinguished from
1720
+ other similar elongated reptiles (such as lizards) by their lack of legs, eyelids and
1721
+ external ears. Sizes and appearances vary greatly with species and habitats. All
1722
+ snakes are carnivorous and feed on other animals including other snakes and are
1723
+ important predators in their natural habitats. They can even swallow animals that
1724
+ are much larger than the size of their mouths, because of their highly flexible jaws.
1725
+ Most of the non-venomous species swallow their prey alive, or coil around and
1726
+ suffocate it before swallowing. Venomous snakes primarily use their venom to
1727
+ paralyze their prey. Snakes, even the venomous ones, rarely bite in defense, and
1728
+ prefer to use vivid body colorations or behaviors such as raising or puffing up their
1729
+ heads, rattling their tails against the ground or surface, to ward off predators as far
1730
+ as possible. However, many species will bite as a last resort, and their bites and
1731
+ venom, in venomous species, can have painful effects. Most species of snakes lay
1732
+ eggs in some sort of nest, and most of them also attack , some retain their eggs till
1733
+ they are ready to hatch, and others give birth to live young.
1734
+ NOTABLE SPECIES
1735
+ Common name(s): Western diamondback rattlesnake
1736
+ Scientific name, classification: Crotalus atrox, Class: Reptilia, Order: Squamata,
1737
+ suborder Serpentes, Family: Viperidae.
1738
+ Distribution: Southwestern U.S.
1739
+ Description and ID characters: Large,
1740
+ grayish-brown snake measuring about 5-6
1741
+ feet in length. Body colors vary from dusty
1742
+ gray-brown and chalky white, with variations
1743
+ of reddish or yellowish brown, with black
1744
+ and white bands near the tip of the tail.
1745
+ Most individuals have diamond-shaped
1746
+ Western diamondback rattlesnake-cryptic
1747
+ patterns in various shades of brown, gray, or
1748
+ Photo: Ben Lowe
1749
+ black on their backs and blend in well with
1750
+ their surroundings; some are devoid of patterns and are uniformly grayish brown.
1751
+ The ‘rattle’ in rattlesnakes consists of a group of hollow, interlocking segments
1752
+
1753
+ Western diamondback rattlesnake – full length view
1754
+ Photo: Roger Shaw
1755
+
1756
+ 205
1757
+
1758
+
1759
+
1760
+ which are modified scales that cover the tip of the tail. The segments are attached
1761
+ to specialized muscles in the tail, which causes them to vibrate and knock against
1762
+ one another and the sound is amplified because the segments are hollow. Rattling
1763
+ is widely used by rattlesnakes as a warning to predators. Newborn young ones only
1764
+ have a ‘prebutton’ at the tips of their tails, and a new segment is added each time
1765
+ the snake molts. Rattlesnakes are protective of their rattles but often lose segments
1766
+ during their activities and therefore, the length of the rattle is not a definitive
1767
+ indicator of the snake’s age, contrary to popular belief.
1768
+ Many other rattlesnake species are found in the desert southwest; some of these
1769
+ include the sidewinder/horned rattler Crotalus cerastes, Mohave rattlesnake C.
1770
+ scutulatus, black-tailed rattlesnake C. molossus, tiger rattlesnake C. tigris, speckled
1771
+ rattlesnake C. mitchellii, Arizona black rattlesnake C. cerberus, etc. but the most
1772
+ common and iconic southwestern species is the western diamondback.
1773
+ Best identifying feature(s): Distinctive, triangular head; rattle on the tail, and
1774
+ diamond pattern on the back. Some non-poisonous snakes have coloration and
1775
+ patterns similar to rattlesnakes and many will also flatten and widen their heads
1776
+ when threatened, to look like a rattlesnake. In such cases the rattle is the most
1777
+ definitive identifying character. In young rattlesnakes, the ‘prebutton’ will not make
1778
+ rattling sounds, but the tail will still look different from the normal, tapering snake
1779
+ tails.
1780
+ Pest status: Non-pest. Most important
1781
+ venomous snake in the southwest.
1782
+ Important predator of many rodents and
1783
+ other mammals.
1784
+ Damage/injury: Can deliver extremely
1785
+ painful and venomous bites.
1786
+ It is very important to understand that
1787
+ rattlesnakes do not strike or bite at first
1788
+ sight. In fact, the snake’s first line of
1789
+ defense is to remain still and wait for the
1790
+ intruder to pass, or to try and get away
1791
+ Western diamondback rattlesnake
1792
+ -striking pose
1793
+ as quickly and quietly as possible. If
1794
+ Photo: Dick Hartshorne, SearchNet Media
1795
+ repeatedly disturbed or threatened, they
1796
+ will coil and rattle to try and ward off the intruders, but if the intrusion continues
1797
+ they will aggressively strike in defense. Rattlesnakes mostly use their venom only
1798
+ when capturing prey. They will avoid using it for defense as far as possible, relying
1799
+ more on rattling, because it takes them time to regenerate their supply of venom.
1800
+ Also, in most cases, a defensive strike ends in the snake’s death, or severe damage
1801
+ to its body as to its victim’s.
1802
+ Rattlesnake venom contains a mixture of toxic substances that cause hemorrhage,
1803
+ destroy cells and muscles, and cause failure of the cardiovascular system.
1804
+ Immediate effects following a bite include local pain, heavy internal bleeding,
1805
+ severe swelling and muscle damage, bruising, blistering and necrosis; these may be
1806
+ accompanied by headache, nausea and vomiting, abdominal pain, diarrhea,
1807
+ dizziness and convulsions. Rattlesnakes have a highly advanced venom delivery
1808
+ system and they can control the amount of venom that flows out through their
1809
+ fangs during a strike. Most strikes are not lethal, but can involve significant trauma.
1810
+ 206
1811
+
1812
+
1813
+
1814
+ Even fangs of dead snakes can deliver venom for a short period by reflex action,
1815
+ and therefore it is important to leave rattlesnakes alone as far as possible, or handle
1816
+ them with extreme caution, including dead ones.
1817
+ Nearly all rattlesnake envenomations (venomous bites) are avoidable. Many people
1818
+ are bitten or shot in attempts to kill rattlesnakes, often in situations where
1819
+ killing/removing the snake are unnecessary. If required, help should be sought
1820
+ from local snake removal services.
1821
+ Life history: Rattlesnakes occupy different kinds of habitats in the low desert and
1822
+ feed on a variety of small rodents, reptiles and birds in their natural habitat. They
1823
+ can hunt during any time of the day, but are most active during the night or early
1824
+ morning. At other times, they hide under rocks, vegetation and other concealed
1825
+ spots.
1826
+ Rattlesnakes are solitary, and pair only for mating. Females are viviparous, and a
1827
+ single female can produce about 25 young ones at a time. The young rattlesnakes
1828
+ are about 12 inches in length and fully capable of striking venomously even at birth.
1829
+ The Sonoran gopher snake Pituophis
1830
+ catenifer, and the San Diego gopher snake
1831
+ P. catenifer annectens, are often mistaken for
1832
+ rattlesnakes because of their coloration
1833
+ and defensive nature. When disturbed,
1834
+ they rapidly vibrate their tails against a
1835
+ surface to generating a rattling sound, and
1836
+ will also flatten their heads to a triangular
1837
+ shape, but they are not venomous. Many
1838
+ other snakes use this method of rattling
1839
+ against a surface or the ground, to deter
1840
+ predators.
1841
+
1842
+ San Diego gopher snake in defensive
1843
+ position-note the triangular head
1844
+ Photo: Ben Lowe
1845
+
1846
+ The desert nightsnake Hypsiglena chlorophaea, is sometimes encountered in kitchens
1847
+ or bathrooms, entering through small cracks and crevices. They are small snakes,
1848
+ usually less than 1 foot in length and are mistaken for baby rattlesnakes. However,
1849
+ they are harmless and coil into a tight ball when confronted.
1850
+
1851
+ Sonoran gopher snake
1852
+
1853
+ Desert nightsnake
1854
+
1855
+ Photo: Julia Larson
1856
+
1857
+ Photo: Ben Lowe
1858
+
1859
+ 207
1860
+
1861
+
1862
+
1863
+ The Arizona coral snake Micruroides euryxanthus is a small, slender snake with vivid
1864
+ red, black and yellow bands completely encircling the body, and its head is fully
1865
+ black up to the eyes. It is venomous, but due to its small size, it does not pose a
1866
+ serious danger as do rattlesnakes. However, it should not be handled as far as
1867
+
1868
+ Arizona coral snake
1869
+
1870
+ Sonoran mountain kingsnake
1871
+
1872
+ Photo: Jeff Servoss, US FWS
1873
+
1874
+ Photo: Natalie McNear
1875
+
1876
+ possible. The Sonoran mountain kingsnake Lampropeltis pyromelana is another nonvenomous species occasionally found in higher elevations. It is often mistaken for
1877
+ the venomous coralsnake, but can be distinguished by its light-cream colored
1878
+ square nose.
1879
+ The lizard-eating long-nosed snake Rhinocheilus lecontei is another snake occasionally
1880
+ mistaken for the coral snake due to its red-and-black patterns, but is nonvenomous and rarely bites if captured. It can be identified by its narrow pointed
1881
+ snout as opposed to the blunt snout of coral snakes. True to its common name, it
1882
+ has a preference for lizards which form the major part of its diet. Yet another coralsnake look alike is the western shovel-nosed snake Chionactis palarostris, which has a
1883
+ dark brown or black and orange bands on a cream background. It has a pointed
1884
+ cream colored snout, and a black crescent shaped mask covering the eyes.
1885
+ Some other snakes that are frequently observed in community environments of the
1886
+ desert southwest are the coachwhip snake Masticophis (= Coluber) flagellum, and the
1887
+ California kingsnake Lampropeltis getula (= californiae). Both are harmless, and they
1888
+ are more likely to be seen by desert southwest property owners than coral snakes or
1889
+ mountain kingsnakes.
1890
+
1891
+ Lizard-eating long-nosed snake
1892
+
1893
+ Western shovel-nosed snake
1894
+
1895
+ Photo: William Wells, www.reptilesofaz.org
1896
+
1897
+ Photo: Thomas Brennan, www.reptilesofaz.org
1898
+
1899
+ 208
1900
+
1901
+
1902
+
1903
+ A common problem in desert southwest properties adjoining forested or other
1904
+ natural areas is wildlife falling into pools. Leaving a styrofoam board in the pool
1905
+ will allow the animals to climb out and avoid drowning. Avoiding storing
1906
+ firewood, piles of brush or leaves, boards, children’s toys and other articles in the
1907
+ backyard will reduce the chances of wildlife seeking shelter in them.
1908
+ Sources, further information:
1909
+ California herps http://www.californiaherps.com/
1910
+ Desert Animals http://www.desertusa.com/animals.html
1911
+ Lizards of the American southwest http://southwesternherp.com/lizards/
1912
+ Reptiles and amphibians of Arizona http://www.reptilesofaz.org/
1913
+ Reptile and amphibian accounts
1914
+ http://www.desertmuseum.org/books/nhsd_reptile.php
1915
+ Vertebrate pests-reptiles
1916
+ http://www.ipm.ucdavis.edu/PMG/menu.house.html#DESTROY
1917
+
1918
+ 209
1919
+
1920
+
1921
+
1922
+ BIRDS
1923
+ NOTABLE SPECIES
1924
+ Common name(s): Pigeon, feral
1925
+ pigeon, city pigeon, street pigeon
1926
+ Scientific name, classification:
1927
+ Columba livia domestica, Class:
1928
+ Aves, Order: Columbiformes,
1929
+ Family: Columbidae.
1930
+ Distribution: Worldwide.
1931
+ Description and ID characters:
1932
+ Feral pigeons are descendants of
1933
+ domestic pigeons, which have
1934
+ turned wild. Domestic pigeons are
1935
+ believed to have descended from
1936
+ wild rock doves (C. livia), and
1937
+ some domestic pigeons may look
1938
+
1939
+ A group of feral pigeons of different colors
1940
+ Photo: John Donges
1941
+
1942
+ Wild rock doves
1943
+
1944
+ Domestic pigeons with color variations
1945
+
1946
+ Photo: Andrew Dunn
1947
+
1948
+ Photo: Michael Baranovsky
1949
+
1950
+ different due to selective breeding for various purposes and external traits.
1951
+ However, feral pigeons are generally similar in appearance throughout the world
1952
+ and resemble their original ancestors, the
1953
+ wild rock doves. They also retain the
1954
+ character of perching on narrow ledges of
1955
+ buildings and other structures, which is
1956
+ believed to be derived from the rock doves’
1957
+ habit of perching on narrow rock ledges on
1958
+ cliffs and mountains.
1959
+ Best identifying feature(s): Medium
1960
+ sized, stout birds with blue-gray feathers on
1961
+ their wings and body. Adults are 12-15
1962
+ inches in height, and the wingspan is 24-28
1963
+ inches. The wings have two broad black
1964
+ bands and are fully capable of flight. The
1965
+ feathers on the head and neck are darker
1966
+ Feral pigeon
1967
+ Photo: Von Grzanka
1968
+ and iridescent purple, indigo, green or dark
1969
+ 210
1970
+
1971
+
1972
+
1973
+ blue in color; the rump feathers are pale gray or white. Tail feathers are longer and
1974
+ darker and have a broad black band across the ends. They eyes are red, with a pale
1975
+ ring of skin around them. The beak is short and sharp with a conspicuous white
1976
+ patch above it. Feet are red or pink in color, and are not covered with feathers.
1977
+ Slight color variations of the overall plumage have been observed, with individual
1978
+ birds colored uniform white, brown or gray or mixtures of these colors.
1979
+ Although they have flight-capable wings, feral pigeons are generally sedentary or
1980
+ walk with short, waddling steps, but do not hop or jump like crows or sparrows.
1981
+ They are well adapted to human surroundings and feed on the ground in flocks.
1982
+ They are not disturbed by human presence, and will continue their activities around
1983
+ humans. If alarmed by sudden movements or sounds, they will fly short distances,
1984
+ rapidly flapping their wings with a clapping sound, but soon return to their local
1985
+ feeding and resting areas. However, they can fly long distances if necessary, and can
1986
+ also glide, holding their wings in a V shape.
1987
+ Pest status: Nuisance pests, can
1988
+ damage grain or fruit crops, damage
1989
+ and disfigure buildings and
1990
+ surroundings with their droppings,
1991
+ and cause public health concern
1992
+ because they can harbor pathogens
1993
+ and parasites.
1994
+ Damage/injury: Feral pigeons are
1995
+ generally docile, sedentary birds and
1996
+ will not cause direct injury to humans.
1997
+ However, in a suitable location with
1998
+ assured food supply, their populations
1999
+ Pigeon droppings on window ledge
2000
+ Photo: Sarah B. Boyle
2001
+ explode and they can cause significant
2002
+ damage by their activities. They have a
2003
+
2004
+ Pigeon droppings damage machinery and work spaces
2005
+ Photo: Simon Laver, www.flickr.com/people/urban-spaceman/
2006
+
2007
+ 211
2008
+
2009
+
2010
+
2011
+ preference to perch on high narrow ledges, door and window frames, above
2012
+ porches, and beams and rafters around and inside buildings, and this causes the
2013
+ most problems. The major form of damage is by their droppings, containing
2014
+ highly corrosive uric acid that can cause structural damage to buildings and
2015
+ structures if not removed regularly. They also cause unsightly accumulations of
2016
+ fallen feathers, nesting materials, food and other debris in the areas they frequent,
2017
+ which, along with attracting other pests such as cockroaches, flies and rodents, can
2018
+ also damage machinery and other equipment, block drains and rain gutters, and
2019
+ even cause structural damage to roof margins and other architectural structures and
2020
+ causing them to collapse from their weight.
2021
+ Pigeon-proofing, with the help of metal wire nets or spikes on ledges and other
2022
+ perching spaces, is effective but these also need monitoring and maintenance.
2023
+
2024
+ Pigeon nesting above an external light (left), spikes help to prevent nesting (right)
2025
+ Photos: Dawn Gouge
2026
+
2027
+ Pigeon-proofing structures are effective (left), but need to be monitored and maintained.
2028
+ Torn nets (right) will not keep pigeons out. Photos: Dawn Gouge
2029
+
2030
+ Feral pigeons also harbor several parasitic insects, mites, ticks and pathogens which
2031
+ can easily be transmitted to humans and pet animals because of their close
2032
+ association with human surroundings. Pathogens associated with pigeons include
2033
+ 212
2034
+
2035
+
2036
+
2037
+ bacteria (Salmonella, Streptococcus and Pasteurella); fungi (Aspergillus and others),
2038
+ protozoans, tapeworms, parasitic nematodes and other worms.
2039
+ The problem of feral pigeons is aggravated by humans feeding them. It is
2040
+ important to avoid feeding them in and around homes, schools and other
2041
+
2042
+ Feeding pigeons in public places aggravates the problems caused by them
2043
+ Photo: Laura Hadden
2044
+
2045
+ community environments, as this increases chances of pollution from their
2046
+ droppings as well as transmission of bird-borne diseases.
2047
+ Life history: Feral pigeons pair for life, and have elaborate courtship rituals. Nests
2048
+ are untidy, loose collections of twigs, and other plant or any available material built
2049
+ on ledges or small sheltered spots on buildings or structures. They have a
2050
+ preference for abandoned or rarely used buildings, but when numbers increase,
2051
+ they will nest even in regularly used buildings. Females lay clutches of 2 eggs, up to
2052
+ 6 times a year. Young ones, called squabs, hatch in about 3 weeks. Both parents
2053
+ take turns in incubating the eggs as well as feeding and caring for the squabs, which
2054
+ are ready to leave the nest in a month. In captivity, pigeons can live up to 10 or 12
2055
+
2056
+ Courting feral pigeons
2057
+
2058
+ Young pigeon (squab)
2059
+ Photo: Leena J.
2060
+
2061
+ Photo: David Slater
2062
+
2063
+ 213
2064
+
2065
+
2066
+
2067
+ years, but the average lifespan in the open is 3-4 years due to predation, diseases
2068
+ and other stresses.
2069
+ Sources, further information:
2070
+ Feral pigeons http://ovocontrol.com/pigeons/pigeons/
2071
+ Feral pigeon control
2072
+ http://www.public.health.wa.gov.au/cproot/1408/2/feral_pigeon_control.pdf
2073
+ Pigeon pest control and the law
2074
+ http://www.pigeoncontrolresourcecentre.org/html/pigeon-pest-control-and-thelaw.html
2075
+ Pigeons(Rock doves) http://icwdm.org/handbook/birds/Pigeons.asp
2076
+
2077
+ 214
2078
+
2079
+
rag-system/data/converted/Bio1AL_Diveristy_Mammals.txt ADDED
@@ -0,0 +1,1008 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Station 1A1. Mammals
2
+
3
+ Classification of the Major Taxa of
4
+ Mammalia
5
+ ! Phylum Chordata
6
+ ! Subphylum Vertebrata
7
+ ! Class Mammalia
8
+ ! Subclass Prototheria
9
+ ! Order Monotremata
10
+ ! Subclass Theria
11
+ ! Infraclass Metatheria
12
+ ! Order Marsupialia
13
+ ! Infraclass Eutheria
14
+ ! Order Edentata
15
+ ! Order Pholidota
16
+ ! Order Carnivora
17
+ ! Order Rodentia
18
+ ! Order Lagomorpha
19
+ ! Order Cetacea
20
+ ! Order Artiodactyla
21
+ These four orders
22
+ ! Order Tubuldentata
23
+ are more closely
24
+ ! Order Dermoptera
25
+ related to each
26
+ ! Order Insectivora
27
+ other than to other
28
+ orders
29
+ ! Order Chiroptera
30
+ ! Order Primates
31
+ ! Order Perissodactyla
32
+ ! Order Hyracoidea
33
+ ! Order Proboscidea
34
+ ! Order Sirenia
35
+
36
+ examples
37
+
38
+ monotremes or egg-layers
39
+ platypuses, echidna
40
+ marsupials
41
+ kangaroos, opossums
42
+ placentals
43
+ armadillos, sloths, anteaters
44
+ pangolins
45
+ seals, bears, wolfs, badgers
46
+ rodents
47
+ rabbits
48
+ dolphins and whales
49
+ even-toed ungulates: goats, hippos, giraffes
50
+ aardvarks
51
+ colugos
52
+ moles and shrews
53
+ bats
54
+ primates
55
+ odd-toed ungulates: horses, rhinos, tapirs
56
+ hyraxes
57
+ elephants
58
+ manatees
59
+
60
+
61
+
62
+ Station 1A2. Mammalian Characteristics
63
+
64
+ ANATOMICAL and PHYSIOLOGICAL
65
+ FEATURES of MAMMALS
66
+ Mammals have a few skeletal features that distinguish their class. They have three middle ear
67
+ bones used in hearing - two of these bones derived from bones used for eating by their
68
+ ancestors. The earliest therapsids (mammal-like reptiles) had a jaw joint composed of the
69
+ cranium (brain case)
70
+ articular (a small bone at the back of the lower jaw) and
71
+ orbit
72
+ the quadrate (a small bone at the back of the upper jaw).
73
+ (eye socket)
74
+ Reptiles and birds also use this system. In contrast,
75
+ mammals’ jaw joint is composed only of the dentary (the
76
+ bony crest
77
+ (occipital crest)
78
+ lower jaw bone jaw bone that carries the teeth) and the
79
+ incisors
80
+ occipital condyle
81
+ squamosal. In mammals the quadrate and articular bones canines
82
+ auditory bullae
83
+ have become the incus and malleus bones in the middle
84
+ incisors
85
+ lower jaw (mandible)
86
+ ear.
87
+ cheek-teeth
88
+ Mammals have a neocortex region in the brain. Most
89
+ mammals also possess specialized teeth and utilize a placenta in their ontogeny. Mammals also
90
+ have a double occipital condyle: they have two knobs at the base of the skull which fit into the
91
+ topmost neck vertebra, whereas other vertebrates have a single occipital condyle.
92
+ Paleontologists use the jaw joint and middle ear as criteria for identifying fossil mammals.
93
+ o
94
+ j
95
+
96
+ d
97
+
98
+ Sphenacodon
99
+
100
+ f
101
+ sq
102
+
103
+ (early therapsid
104
+ from Upper
105
+ Pennsylvanian)
106
+
107
+ q
108
+
109
+ o
110
+
111
+ !
112
+
113
+ ag
114
+
115
+ Asioryctes
116
+
117
+ f
118
+
119
+ d
120
+
121
+ sq
122
+ rl
123
+
124
+ mm
125
+ ar
126
+
127
+ d
128
+ ty/ag
129
+
130
+ (early placental
131
+ mammal from
132
+ Upper Cretaceous)
133
+
134
+ cp
135
+
136
+ !
137
+
138
+ d
139
+
140
+ Abbreviations: ag = angular; ar = articular; cp = coronoid process; d = dentary; f = lateral temporal fenestra; j = jugal; mm = attachment site for
141
+ mammalian jaw muscles; o = eye socket; q = quadrate; rl = reflected lamina; sq = squamosal; ty = tympanic.
142
+
143
+
144
+
145
+ Station 1A3. Mammalian Characteristics
146
+
147
+ ANATOMICAL and PHYSIOLOGICAL
148
+ FEATURES of MAMMALS
149
+ It would be correct to say that mammals are a group of warm-blooded animals with backbones
150
+ and a four-chambered heart, whose bodies are insulated by hair, that have sweat glands
151
+ including milk producing sweat glands that they use to nurse their infants, and that share a
152
+ unique jaw articulation. This, however, fails to convey how these few shared characteristics
153
+ underpin the evolution of a group with astonishingly intricate adaptations, thrilling behavior and
154
+ highly complex societies. Mammals are also the group to which humans belong, and through
155
+ them we can understand much about ourselves. Another answer to the question “What is a
156
+ mammal?” would therefore be that the essence of mammals lies in their complex diversity of
157
+ form and function, and above all their individual flexibility of behavior.
158
+
159
+ Harem of Elephant seals
160
+ resting on a beach
161
+
162
+ Pack of wolves howling to define and
163
+ defend territory, and to reinforce social
164
+ hierarchy.
165
+
166
+ Herd of African savannah elephants led by a
167
+ matriarch
168
+
169
+
170
+
171
+ Station 1A4. Mammalian Characteristics
172
+
173
+ HOW ABUNDANT ARE MAMMALS?
174
+ Although mammals are generally considered to be the dominant and probably most diversified class of living
175
+ vertebrates, they are far from being the most numerous. If the total numbers of species for all the major
176
+ animal groups are compared, mammals come out near the bottom. The sizes of the different creatures in this
177
+ drawing illustrate this point. The very small frog represents the 1,500 living species of amphibians.
178
+ Then come the other vertebrate classes in order of increasing number of species:
179
+ mammals, reptiles, birds and fishes. The large snail next in line
180
+ represents the invertebrates: all the one-celled animals, all the
181
+ worms, clams, lobsters, spiders-everything else, in short,
182
+ except the insects. Strictly speaking the insects should
183
+ should be lumped with the other invertebrates, but there are
184
+ so many of them-more different species than in all the other
185
+ groups put together-that they have been represented
186
+ separately here by the huge butterfly at the right.
187
+
188
+ MAMMALS
189
+ 5,000
190
+ AMPHIBIANS
191
+ 1,500
192
+
193
+ REPTILES
194
+ 6,000
195
+
196
+ BIRDS
197
+ 8,600
198
+
199
+ FISHES
200
+ 20,000
201
+
202
+ INVERTEBRAES (EXCEPT INSECTS)
203
+ 232,000
204
+
205
+ INSECTS
206
+ 700,000
207
+
208
+
209
+
210
+ Station 1A5. Mammalian Characteristics
211
+
212
+ What Are the Most Common Mammals?
213
+ With mammals placed in proper numerical perspective vis-à-vis other animals, what about the
214
+ relative abundance of the different mammals themselves? Counting actual numbers of animals
215
+ is far more difficult than numbers of species. The only way it can be done is to take a small
216
+ sample area and laboriously count every nose in it. This has been done many times in different
217
+ parts of the world. While results vary widely depending on the terrain and the time of year,
218
+ nevertheless in most areas the rodents turn out to have by far the largest populations. The five
219
+ mammals pictured here show what lives on 250 acres of sagebrush country in the western U.S.,
220
+ based on a study of a 2.5-acre sample area. They illustrate two general principles: 1) carnivores
221
+ (in this case, badgers) tend to be far less numerous than the animals they eat and 2) the
222
+ smaller the animal, the larger its population in a given area.
223
+
224
+ RODENTS
225
+ (Rodentia)
226
+ 5,770
227
+
228
+ RABBITS
229
+ (Lagomorpha)
230
+ 60
231
+
232
+ BADGERS
233
+ (Carnivora)
234
+ 30
235
+
236
+ PRONGHORNS
237
+ (Artiodactyla)
238
+ 10
239
+
240
+ BATS
241
+ (Chiroptera)
242
+ 8
243
+
244
+
245
+
246
+ Station 1B1. Lactation
247
+
248
+ Lactation and the Rise of Mammals
249
+ The decline of the huge, naked, ectothermic dinosaurs may have been triggered by the cooling
250
+ climate of the Mesozoic era, with its daily and seasonal fluctuations in temperature. But these would
251
+ have affected smaller (or infant) dinosaurs more than the giants that predominated among dinosaurs,
252
+ due to the smaller reptile’s relatively greater surface-area-to-volume ratio and hence more rapid heat
253
+ loss. So why did the mammals finally prosper, and the dinosaurs decline?
254
+ Early mammals may have avoided competition with dinosaurs by becoming nocturnal, and the key
255
+ that unlocked this chilly niche to them may have been the evolution of endothermy (internal self
256
+ -regulation of body temperature). In addition to allowing them to forage out of the sun’s warming rays,
257
+ endothermy may have improved mammals’ competitive ability by allowing them to grow faster and
258
+ therefore breed more prolifically than reptiles, whose bodies more or less “switch off” when they cool
259
+ down.
260
+ Another possibility is that the mammals usurped the dinosaurs’ supremacy on account of one critical
261
+ difference: the development of lactation and parental care in mammals.
262
+ An Olive baboon nursing her young (right), and an Orca nursing her calf while swimming (below).
263
+ When a mammalian infant sucks at its mother’s nipple it may withdraw a little milk, but more
264
+ importantly it stimulates “let-down,” whereby muscles squeeze much more milk out of a honeycomb
265
+ of tubes and cavities in the mammae; this milk collects in ducts from which it can be sucked. Some
266
+ 30-60 seconds of preliminary sucking are required to
267
+ stimulate let-down. Thus the process is not
268
+ controlled simply by nerves (as they transmit
269
+ messages almost instantaneously), but by a
270
+ chemical envoy (a hormone) that travels within the
271
+ mother’s bloodstream. In fact, sucking triggers a
272
+ nerve impulse which races to the pituitary, and in
273
+ response this organ releases two chemicals into the
274
+ blood. When these chemical couriers reach the
275
+ mammae, one (lactogenic hormone) stimulates the
276
+ secretion of milk by the glands, the other (oxytocin)
277
+ prompts the ejection of stored milk from the nipple.
278
+
279
+
280
+
281
+ Station 1B2. Lactation
282
+
283
+ Lactation and the Rise of Mammals
284
+ Young dinosaurs, like modern crocodiles, hatched as minuscule replicas of their parents; their small size
285
+ required that they ate quite different food from the adults of their species. They grew slowly at a rate
286
+ dependent upon their foraging success, gradually approaching adulthood, as feeble inferiors until they
287
+ finally attained full size. In contrast, the evolution of lactation enabled an infant mammal to grow rapidly
288
+ towards adult competence under the protection of parental care. At independence the young mammal is
289
+ almost fully grown and unlike the still infantile reptile of the same age, enters roughly the same niche as
290
+ adult members of its species. For example, a Grizzly bear is born at roughly the same percentage of its
291
+ mother’s weight (1-2 percent) as was a hatching dinosaur, but remains dependent on her for protection
292
+ for up to 4 1/2 years. The dinosaur, on the other hand, had to fend for itself in a series of niches that
293
+ changed as it grew. In the inconstant, unpredictable environment of the cooling Mesozoic, dinosaurs
294
+ may have been at a disadvantage to mammals because they required a succession of different food
295
+ supplies to become available exactly on cue as their young grew, and faced a protracted period when
296
+ young were at a competitive disadvantage to adults. If this reconstruction is correct, then it was parental
297
+ care (also evolved by birds), and particularly lactation, that assured the supremacy of mammals. The
298
+ protracted parent-offspring bond established during nursing in turn set the scene for the subsequent
299
+ evolution of intricate mammalian societies.
300
+
301
+ A NURSING MONOTREME
302
+ The most primitive mammals are the monotremes, whose
303
+ mammary glands have not concentrated into milk
304
+ -producing organs, as they have in the higher mammals.
305
+ The milk of the platypus, for example, seeps from a
306
+ number of porelike holes in her abdomen and is lapped
307
+ up by the little ones.
308
+
309
+ NURSING MARSUPIALS
310
+ More advanced are the marsupials such as opossums and kangaroos shown
311
+ here. They have true nipples, but these are located inside a pouch, or
312
+ marsupium, to which their comparatively unformed babies crawl at birth. They
313
+ live there for several months until they are much larger and more developed.!
314
+
315
+
316
+
317
+ Station 1C1. Mammalian Hair
318
+
319
+ HAIR TYPES
320
+ Hair is composed of keratin and is modified epidermis. Mammalian hair is highly variable. It
321
+ varies in form, shape, density and color location not only within an organism but also throughout
322
+ the year. Most of this variability relates form and function. All hairs have a nerve plexus at their
323
+ base. Hair is categorized as vibrissae (whiskers), fur, or guard. Vibrissae are specialized tactile
324
+ organs that are long, thick and are typically straight or slightly bent. Vibrissae are usually few in
325
+ number and are typically found on the head or feet. Fur hairs are numerous, short, thin and are
326
+ typically found in a group. Guard hairs are longer, thick and are usually distributed within the fur.
327
+ Examine a few pelts and try to identify the three types. You may even notice more than three
328
+ types as some hairs in the fur are intermediate between guard and fur.
329
+
330
+ A Musk Ox, northernmost of hoofed
331
+ mammals. Their long, coarse guard hairs
332
+ and fine underfur exclude the arctic cold.
333
+
334
+ The vibrissae of this harbor seal are attached
335
+ to a substantial nerve network. Tactile
336
+ information is transmitted from the vibrissae
337
+ to the brain.
338
+
339
+
340
+
341
+ Station 1C2. Mammalian Hair
342
+
343
+ HAIR FUNCTION
344
+ Two fundamental traits of mammals lie not in their skeletons, but at the boundaries to their
345
+ bodies - the skin. These two features are hair and skin glands, including the mammary glands
346
+ that secrete milk, and the sweat and sebaceous glands. None may seem spectacular, and some
347
+ or all may have evolved before the mammal-like reptiles crossed the official divide. But these
348
+ traits are associated with endothermy, a condition that affects every aspect of mammalian life.
349
+ Endothermic animals are those whose internal body temperature is maintained “from
350
+ within” (endo-) by the oxidation (essentially, the burning) of food within the body. Some
351
+ endotherms maintain a constant internal temperature (homoethermic), whereas that of others
352
+ varies (heterothermic). The temperature is regulated by a “thermostat” in the brain, situated
353
+ within the hypothalamus. In regulating their body temperature independent of the environment,
354
+ mammals (and birds) are unshackled from the alternative, ectothermic, condition typical of all
355
+ other animals and involving body temperatures rising and falling with the outside temperature.
356
+
357
+ A cross-section of the skin and fur of
358
+ a fur seal.
359
+
360
+
361
+
362
+ Station 1C3. Mammalian Hair
363
+
364
+ HAIR FUNCTION
365
+ Endothermy is costly. Mammals must work, expending energy either to warm or cool
366
+ themselves depending on the vagaries of their surroundings. There are many adaptations
367
+ involved in minimizing these running costs and the most ubiquitous is mammalian hair. The coat
368
+ may be adapted in many ways, but there is often an outer layer of longer, more bristle-like,
369
+ water-repellent guard hairs that provide a tough covering for densely packed, soft underfur. The
370
+ volume of air trapped amongst the hairs depend on whether or not they are erected by muscles
371
+ in the skin. Hair may protect the skin from the sun’s rays or from freezing wind, slowing the
372
+ escape of watery sweat in the desert or keeping aquatic mammals dry as they dive. Hairs are
373
+ waterproofed by sebum, the oil secretions of sebaceous glands associated with their roots.
374
+
375
+ Sea otter
376
+
377
+ Fur seals
378
+
379
+ The skin plays an important part in maintaining a constant body temperature. Horses sweat
380
+ profusely over most of their bodies to cool themselves. The coyote sweats through its tongue by
381
+ panting and depends on its fur to prevent heat loss in cold weather. Mammals must eat regularly
382
+ to maintain their high temperatures.
383
+
384
+
385
+
386
+ Station 1D1. The Role of Scent
387
+
388
+ THE SCENT OF A MAMMAL
389
+ Mammals are unique among animals with backbones in the potency and social importance of
390
+ their smells. This quality also stems from their skin, wherein both sebaceous and sweat glands
391
+ become adapted to produce complicated odors with which mammals communicate. The sites of
392
+ scent glands vary between species: capybaras have them aloft their snout, mule deer have them
393
+ on the lower leg, elephants have them behind the eyes and hyraxes have them in the middle of
394
+ their back. It is very common for scent glands to be concentrated in the ano-genital region (urine
395
+ and feces also serve as socially important odors); the perfume gland of civets lie in a pocket
396
+ between the anus and genitals and for centuries their greasy secretions have been scooped out
397
+ to make the base of expensive perfumes. Glands around the genitals of Musk deer are a
398
+ similarly unwholesome starting point of other odors (musk) greatly prized by some people. Most
399
+ carnivores have scent-secreting anal sacs, whose function is largely unknown, although in the
400
+ case of the skunk it is quite clear enough. The evolution of scent glands has led to a multitude of
401
+ scent-marking behaviors. Scent marks have the advantage of being a long lasting form of
402
+ communication. Probably the messages being communicated include the sex, status, age and
403
+ diet of the sender. Most people are familiar with animals demarking their territory by leaving
404
+ traces of urine. Have you noticed a remarkable change in the smell of your urine after eating
405
+ asparagus?
406
+ skunk
407
+ Musk deer
408
+ Indian civet
409
+
410
+
411
+
412
+ Station 1D2. The Role of Scent
413
+
414
+ ODOR IN RODENT REPRODUCTION
415
+ Reproduction - from initial sexual attraction and the advertisement of sexual status through
416
+ courtship, mating, the maintenance of pregnancy and the successful rearing of young - is influenced,
417
+ if not actually controlled, by odor signals.
418
+ Male rats are attracted to the urine of females that are in the sexually receptive phase of the
419
+ estrous cycle and sexually experienced males are more strongly attracted than naive males.
420
+ Furthermore, if an experienced male is presented with the odor of a novel mature female alongside
421
+ the odor of his mate he prefers the novel odor. Females, on the other hand, prefer the odor of their
422
+ stud male to that of a stranger. The male’s reproductive fitness is most improved by his seeking out
423
+ and impregnating as many females as possible. The female needs to produce many healthy young so
424
+ her fitness is maximized by mating with the best quality male who has already proved himself. The
425
+ otherwise solitary female Golden hamster must attract a male when she is sexually receptive. She
426
+ does this by scent marking with strong-smelling vaginal secretions in the two days before her peak of
427
+ receptivity. If no male arrives she ceases marking, to start again two days before the next peak.
428
+ In gregarious species such as the House mouse, a dominant male can mate with 20 females in 6
429
+ hours if their cycles are synchronized. The odor of urine of adult sexually mature male rodents (e.g.
430
+ mice, voles, deer mice) accelerates not only the peak of female sexual receptivity but also the onset
431
+ of sexual maturity in young females, and brings sexually quiescent females into breeding condition.
432
+ This effect is particularly strong in dominant males, whereas urine from castrated males has no such
433
+ effect. It would appear that the active ingredient - a pheromone - is made from, or dependent upon the
434
+ presence of, the male sex hormone testosterone. Male urine has such a powerful effect that if a newly
435
+ pregnant female mouse is exposed to the urine odor of a male who is a complete stranger to her she
436
+ will resorb her litter and come rapidly into heat. If she then mates with the stranger she will become
437
+ pregnant and carry the litter to term. The odor of the urine of females has either no effect upon timing
438
+ of the onset of sexual maturity in young females, or slightly retards it. If female mice are housed
439
+ together in groups of 30 or more and males are absent, the normal 4- or 5- day estrous cycles start to
440
+ lengthen and the incidence of pseudopregnancy increases, indicating the power of the odor of female
441
+
442
+
443
+
444
+ Station 1D3. The Role of Scent
445
+ urine. However, the presence of the urine odor of an adult male will regularize all the lengthened cycles
446
+ within 6-8 hours and the females will come into heat synchronously.
447
+ Female mice also produce a pheromone in the urine which has the effect of stimulating pheromone
448
+ production in the male, but the female pheromone is not under the control of the sex glands (ovaries).
449
+ It is not known what controls its production. A sexually quiescent female could stimulate pheromone
450
+ production in a male, which would then bring her into sexual readiness.
451
+ It is thought that the reproductive success of the House mouse owes much to this system of
452
+ pheromonal cuing. Although only the House mouse has been studied in such detail, parts of the model
453
+ have been discovered in other species and it may be of widespread occurrence.
454
+ About 8 days after giving birth, female rats start to produce a pheromone - an odor produced in the
455
+ gut and broadcast via the feces - which inhibits Wanderlust in the young. It ceases to be produced
456
+ when the young are 27 days old and almost weaned.
457
+ Finally, some studies have involved a surgical removal of part of the brain which is involved with
458
+ smell (the main accessory olfactory bulbs). Removal of the bulbs in the Golden hamster, irrespective of
459
+ previous sexual experience, brings an immediate cessation of all sexual behavior. In sexually
460
+ experienced rats ,the operation has little effect, but in sexually naive rats the effect is as severe as in
461
+ hamsters. Thus it appears that rats can learn to do without their sense of smell once they have gained
462
+ some sexual experience.
463
+
464
+ a Golden hamster carrying a baby
465
+
466
+ a house mouse
467
+
468
+
469
+
470
+ Station 2. Aquatic Adaptations
471
+
472
+ WHALES, DOLPHINS, and PORPOISES
473
+ ORDER: CETATEANS
474
+ The cetaceans, which total approximately 75 species, are exclusively aquatic, more completely so
475
+ than any other mammals; at no stage of life do they leave the water. Cetaceans range in size from the
476
+ gigantic Blue Whale, believed to be the largest animal that has ever existed, to medium-sized dolphins
477
+ and porpoises, some of which are only about 3 feet long. Typically a cetacean’s head is joined to its
478
+ body without a distinct neck. Except in a few species, the head cannot be turned independently.
479
+ Characteristic of mammals, however, cetaceans do possess seven neck vertebrae, though much
480
+ compressed. In some larger whales these are fused into a single disc only a few inches thick.
481
+ A cetacean’s body is streamlined, and in some species the head is extended into a “beak.” Many
482
+ have a definite dorsal fin consisting of a thick folded ridge of skin without a bony support, adding to
483
+ their general fishlike appearance. A cetacean’s front legs are flippers, with no exposed claws or digits.
484
+ A much reduced bony structure for a pelvic girdle is still in evidence internally, but external hind limbs
485
+ are lacking. The tail, which provides the principal driving force for swimming, is extended into a broad
486
+ horizontal appendage, separated into two flukes by a notch in the middle. The thin skin lacks hairs
487
+ except for a few bristles around the mouth and on the belly in some species. Underneath the skin is a
488
+ thick layer of blubber (mostly fat) that serves as a heat insulator as well as a
489
+ food reserve. Blubber may be 2 feet thick in some of the larger whales and
490
+ may account for more than 40 percent of the animal’s total weight.
491
+ 7 neck vertebrae
492
+ a full thickness of
493
+ blubber from an Orca
494
+
495
+ dorsal fin
496
+ blowhole
497
+ flukes
498
+
499
+ flipper
500
+
501
+ Rudimentary pelvic girdle of a whale
502
+
503
+
504
+
505
+ Station 2. Aquatic Adaptations
506
+
507
+ BALEEN WHALES
508
+ SUBORDER: MYSTICETI
509
+ Whales of this suborder (about 15 species) do not have functional teeth. Instead they have baleen,
510
+ or “whalebone,” frayed, flexible horny sheets of oral epithelium suspended from the hard palate. Made
511
+ of keratin, baleen can be white, black, yellowish, or two-toned. In a large whale, more than 300 plates
512
+ of baleen hang down like stiff curtains from the upper jaw on each side of the mouth. A plate may be as
513
+ much as 12 feet long, and a foot or more in width. The outer edge (or tongue side) is extended into
514
+ bristles that form a hair-like fringe of thin tubes. Baleen continues to grow throughout the whale’s life,
515
+ replacing material worn away by the action of water and the tongue.
516
+ When feeding, a whale swims into a swarm of small crustaceans
517
+ with its mouth open. As it closes its mouth, water is forced out at the
518
+ sides and through the sieve-like screen of baleen. Small crustaceans or
519
+ even small fish become caught on the bristly fringes. The whale then
520
+ uses its tongue to move them into its throat for swallowing. Even the
521
+ largest whale has a throat passageway not much larger than an orange
522
+ - not large enough to accommodate anything the size of the Bible’s
523
+ Jonah.
524
+ The tough, pliable baleen was one of the highly valued commercial
525
+ products obtained from whales. It was used in corsets and in similar
526
+ products in which stiffness with flexibility was important. Today, these
527
+ products typically use plastics decreasing the need to harvest whales.
528
+ Baleen whales can be distinguished from the toothed whales by
529
+ having two blowholes instead of one. When they blow, the twin spouts
530
+ are distinctive. In contrast to toothed whales, baleen whales do not
531
+ echolocate. Instead they often vocalize, such as the unique and
532
+ complex songs of Humpback whales. Baleen whales are gentle giants
533
+ of the ocean.!
534
+
535
+
536
+
537
+ Station 2. Aquatic Adaptations
538
+
539
+ THE BLUE WHALE
540
+ The Blue Whale, the largest animal that has ever lived on land or in the sea, can measure
541
+ more than 100 feet long and weigh as much as 200 tons. Females are slightly larger than the
542
+ males. A Blue Whale’s gigantic head is about a quarter of the animal’s total length.
543
+ Because of its streamlined body, the Blue Whale appears to be a fast swimmer. Ordinarily its
544
+ top speed is only about 15 miles per hour, and
545
+ it can continue swimming at this speed for two
546
+ hours or longer. Harpooned whales, however,
547
+ have been known to go twice as fast, though
548
+ they cannot maintain this faster speed for a
549
+ long time.
550
+
551
+ Only a few thousand Blue Whales still exist. Whaling has
552
+ reduced their numbers from an estimated 250,000. They
553
+ are now protected by international agreements, but not all
554
+ countries abide by the regulations. Unfortunately, the
555
+ regulations are not always based on the best biological
556
+ data, and represent the interests of whalers as much as, or
557
+ more than, the welfare of the whales.
558
+
559
+ Flencing of a sperm whale (stripping
560
+ the blubber from the body) in 1958.
561
+
562
+
563
+
564
+ Station 2. Aquatic Adaptations
565
+
566
+ WALRUSES, SEALS and SEA LIONS
567
+ SUPERFAMILY: PINNIPEDIA
568
+ Pinnipeds include walruses (Family Odobenidae), earless (true) seals (Family Phocidae), and
569
+ eared seals (Family Otariida). On land, eared seals are much more agile than the other groups.
570
+ When moving, the weight of the body is supported off the ground by the outwardly turned
571
+ foreflippers, and the hindflippers are flexed forwards under the body. When the animal is moving
572
+ slowly, the foreflippers are moved alternately and the hindflippers advanced on the opposite side.
573
+ Only the heel of the foot is placed on the ground, the digits being held up. As its speed
574
+ increases, first the hindflippers and then the foreflippers are moved together, the animal moving
575
+ forward in a gallop. In this form of locomotion, the counterbalancing action of the neck is very
576
+ important, the body being balanced over the foreflippers. It has been suggested that if the neck
577
+ were only half its length, eared seals would be unable to move on land. Walruses move in a
578
+ similar, though much more clumsy, manner.
579
+ On land, true seals crawl along on their bellies, humping along by
580
+ flexing their bodies, taking the weight alternately on the chest and
581
+ pelvis. Some, such as the elephant seal or Grey seal, use the
582
+ foreflippers to take the weight of the body. Grey seals may also use the
583
+ terminal digits of the foreflippers to produce a powerful grip when
584
+ moving on rocks. Other true seals, such as the Weddell seal, make no
585
+ use of the foreflippers. Ribbon and Crabeater seals can make good
586
+ Sea lion (eared seal) on land
587
+ progress over ice or compacted snow by
588
+ supporting weight with
589
+ alternate backwards strokes of the foreflippers
590
+ foreflippers and hindflippers
591
+ turned out for walking.
592
+ and vigorous flailing movements of the
593
+ hindflippers and hind end of the body, almost as
594
+ though they were swimming on the surface of
595
+ Weddell seals (true seal) on
596
+ land with full weight on torso.
597
+ the ice.
598
+
599
+
600
+
601
+ Station 2. Aquatic Adaptations
602
+
603
+ Grooming, which is an important subsidiary function of the limbs, is generally carried out by
604
+ the hindflippers in eared seals and by the foreflippers in true seals. How the Ross seal, which
605
+ has practically no claws, grooms itself is a mystery.
606
+ The anatomical differences of eared and true seals is also reflected in different swimming
607
+ techniques. The main source of power in the eared seal comes from the front end of the body,
608
+ and it is here that the main muscle mass is concentrated. True seals, on the other hand, have
609
+ their main muscles in the lumbar region. The muscles of the hindlimb itself are mainly
610
+ concerned with orientation of the limb and spreading and contracting the digits. They propel
611
+ themselves forward by moving their hind flippers left and right.
612
+
613
+ A Grey seal (earless/true seal) swimming, with most
614
+ of propulsive force coming from its lumbar region and
615
+ hind flippers.
616
+ Sea lion (eared seal, note the ears in the photo)
617
+ swimming, with most of propulsive force coming from its
618
+ hindlimbs.
619
+
620
+
621
+
622
+ Station 3. Primates
623
+
624
+ SKELETAL ADAPTATIONS of PRIMATES
625
+ BIPEDAL vs. ARBOREAL
626
+ Skeletons: The quadrupedal lemurs and most monkeys, like the guenons, retain the basic
627
+ shape of early primates - a long back, a short, narrow rib-cage, long narrow hip bones, and legs
628
+ as long as or longer than the arms. Most live in trees and move about by running along or
629
+ leaping between branches. Their long tail serves as a rudder or balancing aid while climbing
630
+ and leaping. Ground-living monkeys, such as the baboons, generally have more rudimentary
631
+ tails.
632
+ Neither apes nor the slower-moving Prosimians have tails. In the orangutan and other apes,
633
+ the back is shorter, the rib cage broader and the pelvis bones more robust - features related to a
634
+ vertical posture. Arms are longer than legs, considerably so in species, such as the gibbons and
635
+ orangutan, that move by arm-swinging (brachiation). Further dexterity of the hands has
636
+ accompanied the development of the vertical posture in apes, some of which (and more rarely
637
+ some monkeys) may at times move about bipedally like man.
638
+
639
+ Skeleton of a guenon
640
+
641
+ Skeleton of an orangutan
642
+
643
+
644
+
645
+ Station 3. Primates
646
+
647
+ BODY PLAN of PRIMATES
648
+ Teeth: Insectivorous precursors of primates had numerous
649
+ teeth with sharp cusps. In Prosimians (lower primates) such
650
+ as Lemur, the first lower premolar is almost canine-like in
651
+ form, while the crowns of the lower incisors and canines lie
652
+ flat to form a tooth-comb, as in bush babies, which is used in
653
+ feeding and grooming. In leaf-eating monkeys of the Old
654
+ World, such as Presbytis, the squared-off molars bear four
655
+ cusps joined by transverse ridges on the large grinding
656
+ surface that helps break up the fibrous diet. In apes such as
657
+ the gorilla, the lower molars have five cusps and a more
658
+ complicated pattern of ridges.
659
+
660
+ Lemur
661
+
662
+ Presbytis
663
+
664
+ 24
665
+
666
+ Capuchin monkey
667
+
668
+ Talapoin monkey
669
+
670
+ Chimpanzee
671
+
672
+ Baboon
673
+
674
+ Gorilla
675
+
676
+ Ring-tailed lemur
677
+
678
+ Relative brain size: The degree of flexibility in the behavior of a
679
+ species is related to both absolute and relative brain size. It is no
680
+ surprise that in terms of actual brain weight, the great apes are
681
+ closest to man. But when comparison is based on brain size
682
+ relative to body size it is the versatile Capuchin monkey that turns
683
+ out to be closest to man.
684
+
685
+ Average for all mammals
686
+
687
+ Brain weight relative to body size
688
+
689
+ 465
690
+ 165
691
+ 420
692
+ 39
693
+ 80
694
+ Actual brain weight (grams)
695
+
696
+ man
697
+
698
+ Gorilla
699
+
700
+ 1330
701
+
702
+
703
+
704
+ Station 3. Primates
705
+
706
+ BODY PLAN of PRIMATES
707
+ Hands and feet: The structure of primate hands and feet varies
708
+ according to the ways of life of each species.
709
+ PLEISTO
710
+ -CENE
711
+
712
+ 2 MYA
713
+
714
+ PLIOCENE
715
+
716
+ 7 MYA
717
+
718
+ Baboon: long
719
+ slender foot of
720
+ ground-living
721
+ monkey.
722
+
723
+ Gibbon: short
724
+ opposable thumb
725
+ well distant from
726
+ arm-swinging
727
+ (brachiating) grip
728
+ of fingers.
729
+
730
+ Siamang and orangutan; broad
731
+ foot with long grasping big toe
732
+ for climbing.
733
+
734
+ PROSIMIANS
735
+
736
+ MIOCENE
737
+
738
+ ANTHROPOIDS
739
+
740
+ 26 MYA
741
+ Earliest
742
+ apes
743
+ OLIGOCENE
744
+
745
+ Macaque: short
746
+ opposable thumb in
747
+ hand adapted for
748
+ walking with palm
749
+ flat on ground.
750
+
751
+ Gorilla: thumb
752
+ opposable to
753
+ other digits, allows
754
+ precision grip.
755
+
756
+ Hand of a spider
757
+ monkey, showing 38 MYA
758
+ the much reduced
759
+ thumb of an arm
760
+ -swinging species.
761
+
762
+ EOCENE
763
+
764
+ Earliest true primates
765
+ 54 MYA
766
+ Insectivores
767
+
768
+ Tamarin: long foot of branch-running
769
+ species with claws on all digits except big
770
+ toes for anchoring (all other monkeys and
771
+ apes have flat nails on all digits)
772
+
773
+ PALEOCENE
774
+
775
+ 65 MYA
776
+
777
+ Insectivore-like primates
778
+ CRETACEOUS
779
+
780
+
781
+
782
+ Station 4. Feeding
783
+
784
+ UNGULATES
785
+
786
+ Ungulates ("hoofed animal") are mammals that use the tips of their toes, usually hoofed, to sustain their
787
+ bodyweight while moving. They comprise the majority of large land mammals. In addition to hooves, most
788
+ ungulates have reduced canine teeth, bunodont molars (molars with low, rounded cusps), and an astragalus
789
+ (one of the ankle bones at the end of the lower leg) with a short, robust head. Another characteristic of most
790
+ ungulates is the fusion of the radius and ulna along the length of the forelimb. This fusion prevents an
791
+ ungulate from rotating its forelimb.
792
+ Absorption of
793
+ fermentation products
794
+ Even-toed ungulates’ (Artiodactyla) weight is borne roughly equally by
795
+ the third and fourth toes. The appearance and spread of coarse, hard-to
796
+ reticulum omasum abomasum colon
797
+ -digest grasses favored the development of their complex digestive
798
+ systems. Pigs and hippos have short legs, four toes of fairly equal size,
799
+ simpler molars, and canine teeth that are often enlarged to form tusks.
800
+ Camels and ruminates tend to be longer-legged, walk on the central two
801
+ toes, and have more complex teeth suited to grinding up tough grasses.
802
+ They have a multi-chambered stomach called a rumin, which allows them
803
+ rumen
804
+ small
805
+ cecum
806
+ intestine
807
+ to digest cellulose with the aid of fermenting microorganisms. Ruminates
808
+ Food is chewed several times. It takes
809
+ (cattle, goats, deer) “chew the cud”, which means they regurgitate and
810
+ approximately 80 hours for digestion, and
811
+ rechew partly-digested food.
812
+ about 60% of the cellulose is used.
813
+ Absorption of
814
+ fermentation products
815
+ small
816
+ intestine
817
+
818
+ cecum
819
+
820
+ The progress of food through the four stomach chambers of a cow is indicated in black. The vegetation is swallowed after
821
+ being only partially chewed. It goes into two connecting chambers, the rumen and the reticulum, where it is broken down
822
+ into pulp by bacteria and then regurgitated as cud. After rechewing, it is passed to the other two chambers, the omasum
823
+ and the abomasum where it is worked on by gastric juices before entering the intestine.
824
+
825
+ Odd-toed ungulates (Perissodactyla) are hindgut fermenters; that is,
826
+ they digest plant cellulose in their intestines rather than their stomach. They
827
+ include fast runners with long legs and only one toe like the horse, zebra, and
828
+ donkey, as well as heavier, slower animals with several functional toes like
829
+ tapirs and rhinoceroses.
830
+
831
+ stomach
832
+
833
+ colon
834
+
835
+ Food is chewed once. It takes about
836
+ 48 hours for digestion, and about 45%
837
+ of the cellulose is used.
838
+
839
+
840
+
841
+ Station 4. Feeding
842
+
843
+ MAMMAL TEETH
844
+
845
+ incisors
846
+ canines
847
+
848
+ Diet greatly influences teeth form and function. Carnivores have large,
849
+ sharp canine teeth used for stabbing and tearing meat. Their
850
+ premolars and molars have been adapted for shearing rather than
851
+ Wolf
852
+ grinding.
853
+ (carnivore)
854
+ Ruminates have teeth adaptations for grinding grasses. Primitive
855
+ herbivorous mammals have molars with separate cusps (bunodont),
856
+ designed to pulp and crush relatively soft food. Fibrous vegetation is
857
+ tough and ungulates have developed modifications of the bunodont
858
+ pattern. In addition to their bunodont molars, these grazers have
859
+ replaced their canines and incisors in the upper jaw with a horny pad.
860
+ They use this together with the lower front teeth for cropping
861
+ vegetation.
862
+ Bunodont
863
+ molar seen in
864
+ pigs.
865
+ In perissodactyls, such as the rhinoceros,
866
+ shearing edges (lophs) have formed by a
867
+ coalescing of the cusps to form two
868
+ crosswise lophs and one lengthwise
869
+ (lophodont).
870
+
871
+ incisors
872
+ canines
873
+
874
+ premolars and molars
875
+
876
+ premolars and molars
877
+
878
+ Deer
879
+ (ruminate)
880
+ In horses the lophs are very
881
+ complex and folded
882
+ (hypsodont).
883
+
884
+ In ruminant artiodactyls, such as
885
+ the ox, the cusps take on a
886
+ crescent shape (selenodont)
887
+
888
+ Rodents have no canines at all. The gap left by their absence is called
889
+ the diastema. Rodent’s most prominent teeth are long, self
890
+ incisors
891
+ diastemas
892
+ -sharpening incisors used for gnawing. Mouse-like rodents lack
893
+ premolars, but squirrel- and cavy-like rodents have one or two on
894
+ Porcupine
895
+ each side.
896
+ (rodent)
897
+
898
+ premolars and molars
899
+
900
+
901
+
902
+ Station 4. Feeding - Bats
903
+
904
+ CHIROPTERA
905
+ There are two suborders of bats: megabats and microbats. The major distinctions are that:
906
+ * Microbats use echolocation, whereas megabats do not (except for Rousettus and relatives).
907
+ * Microbats lack the claw at the second toe of the forelimb.
908
+ * The ears of microbats do not form a closed ring, but the edges are separated from each other at the base of the
909
+ ear.
910
+ * Microbats lack underfur; they have only guard hairs or are naked.
911
+ * Megabats eat fruit, nectar or pollen while microbats eat insects, small amounts of blood, small mammals, and fish.
912
+
913
+ Major variations in the tail shape of bats:
914
+
915
+ knee
916
+ wrist
917
+ tail
918
+ uropatagium
919
+ calcar
920
+
921
+ elbow
922
+ propatagium
923
+ ear
924
+ tragus
925
+
926
+ Foot with five toes
927
+ plagiopatagium
928
+
929
+ humerus
930
+ radius
931
+
932
+ Sheath-tailed bat
933
+
934
+ Fifth finger
935
+
936
+ Free-tailed bat
937
+
938
+ Mouse-tailed bat
939
+
940
+ thumb
941
+
942
+ Second finger
943
+ dactylopatagium
944
+ Third finger
945
+ Fourth finger
946
+
947
+ Mouse-eared bat
948
+
949
+ Tube-nosed fruit bat
950
+
951
+ Flying fox
952
+
953
+
954
+
955
+ Station 4. Feeding - Bats
956
+
957
+ FEEDING TYPES:
958
+ Bloodsuckers and Nectar Drinkers
959
+ In evolution, the “success” of a species or group of species is measured by its ability to survive.
960
+ Survival is made more likely by a process known as adaptive radiation - the branching out of a group
961
+ of animals into a variety of niches not previously occupied. Bats started out as insect eaters, and
962
+ although the majority are still insectivorous, there are now bats that live on fruit, fish, nectar, blood,
963
+ rodents, frogs and even other bats. With this great variability in their way of life, bats have become
964
+ the second largest mammalian order and are now spread over most of the globe.
965
+
966
+ An Epauletted fruit bat feeding
967
+ on wild figs.
968
+
969
+ A fringe-lipped bat eating a
970
+ túngara frog. These bats learn
971
+ socially the call of new prey
972
+ frogs through acoustic cues.
973
+
974
+ A nectar eating bat’s tongue can be as much as 150% as
975
+ long as its body - the longest of any mammal. Nectar
976
+ droplets cling to the tip of the tongue when it is withdrawn
977
+ from a flower.
978
+
979
+ Vampire bats gently scrapes the skin
980
+ of sleeping mammals and birds, and
981
+ laps up the oozing blood.
982
+
983
+
984
+
985
+ Station 4. Feeding - Bats
986
+
987
+ INSECTIVORY AND ECHOLOCATION
988
+ Sonograms show the search, approach and terminal phases of the hunt in two species of bat.
989
+ (a) The North American big brown bat produces frequency modulated (FM) calls steeply
990
+ sweeping from 70-30 kHz. While foraging the bat emits 5-6 pulses per second, each of about 10
991
+ milliseconds (msec) duration until an insect is located. Immediately the pulse rate increases, duration
992
+ shortens, with the frequency sweep starting at a lower frequency. As an insect is caught (or just missed) the
993
+ repetition rate peaks at 200 per second, with each pulse lasting about 1 msec.
994
+ (b) Hunting horseshoe bats produce their long (average 50 msec) constant frequency (CF) calls
995
+ at a rate of 10 per second. They often feed among dense foliage. A problem facing a bat is how to
996
+ distinguish fluttering insect wings from leaves and twigs oscillating in the wind. While foliage produces a
997
+ random background scatter of echoes, the insect with a relatively constant rapid wing beat frequency will
998
+ appear like a flashing light to a bat using a CF component. As the bat closes on the insect, the CF
999
+ component of each pulse is suppressed in amplitude and reduced to under 10 msec while the amplified
1000
+ terminal FM sweep is used for critical
1001
+ location and capture of the prey.
1002
+
1003
+ A Greater horseshoe swoops on a butterfly. Such a battle is not necessarily one-sided.
1004
+ Some moths and butterflies have evolved listening membranes that detect the bat’s
1005
+ sonar pulses giving the moth opportunity to escape. To counter this some tropical bats
1006
+ only send out signals at wavelengths that cannot be detected by the moths.
1007
+
1008
+
rag-system/data/converted/Encyclopedia of Extinct Animals.txt ADDED
The diff for this file is too large to render. See raw diff
 
rag-system/data/converted/bless_animal_guide.txt ADDED
@@ -0,0 +1,2831 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Animal Guide
2
+ to Lois Hole Centennial Provincial Park,
3
+ Alberta
4
+
5
+ Big Lake Environment Support Society
6
+
7
+
8
+
9
+ Credits
10
+ Technical information
11
+ Alberta Environment data on species in Alberta, and some text
12
+ from Wikipedia, some of which was modified for the Big Lake
13
+ region of Alberta.
14
+ Photographs
15
+ Local photographers were approached for good quality
16
+ images, and where good photographs were not available then
17
+ freely available images from Wikipedia were used (see page
18
+ 136 for individual photo credits).
19
+ Funding
20
+ City of St. Albert, Environmental Initiatives Grant 2021
21
+ Creation and Review
22
+ Linda Brain, Lyn Druett, Miles Constable
23
+ Big Lake Environment Support Society
24
+ Produced by
25
+ Big Lake Environment Support Society
26
+ P.O. Box 65053
27
+ St. Albert, Ab T8N 5Y3
28
+ www.bless.ab.ca
29
+ For information contact info@bless.ab.ca
30
+
31
+ 3
32
+
33
+
34
+
35
+ Animal Guide
36
+ to Lois Hole Centennial Provincial
37
+ Park, Alberta
38
+
39
+ 2022
40
+ 4
41
+
42
+
43
+
44
+ Location of Lois Hole Centennial
45
+ Provincial Park, Alberta
46
+
47
+ Map courtesy of Google, Inc.
48
+ There are a great many animals to be seen in Lois Hole Centennial
49
+ Provincial Park. This Guide features the most commonly seen animals;
50
+ however, it is not a complete guide to all animals that could be seen at
51
+ Big Lake. If you are, or become, passionate about wildlife, we
52
+ recommend a comprehensive guide to the mammals, amphibians and
53
+ reptiles in Alberta. Nature is continually changing and there may be
54
+ animals who are expanding their range into this area for a variety of
55
+ reasons.
56
+
57
+ 5
58
+
59
+
60
+
61
+ Contents
62
+ CREDITS ........................................................................... 3
63
+ CANIDAE (WOLVES, COYOTES AND FOXES) ...... 10
64
+ COYOTE CANIS LATRANS ................................................. 11
65
+ GRAY WOLF CANIS LUPUS ............................................. 13
66
+ RED FOX VULPES VULPES............................................... 15
67
+ URSIDAE (BEARS) ........................................................ 17
68
+ BLACK BEAR URSUS AMERICANUS.................................. 18
69
+ FELIDAE (CATS) ........................................................... 20
70
+ CANADA LYNX LYNX CANADENSIS.................................. 21
71
+ MUSTELIDAE (WEASELS) ......................................... 23
72
+ WOLVERINE GULO GULO ............................................... 24
73
+ BADGER TAXIDEA TAXUS ................................................ 26
74
+ MARTEN MARTES AMERICANA ........................................ 28
75
+ MINK NEOVISON VISON .................................................. 30
76
+ FISHER MARTES PENNANTI.............................................. 32
77
+ LEAST WEASEL MUSTELA NIVALIS .................................. 34
78
+ LONG-TAILED WEASEL NEOGALE FRENATA.................... 36
79
+ SHORT-TAILED WEASEL MUSTELA ERMINEA .................. 38
80
+ MEPHITIDAE (SKUNKS)............................................. 40
81
+ STRIPED SKUNK MEPHITIS MEPHITIS HUDSONICA ........... 41
82
+ RACOON PROCYON LOTOR.............................................. 44
83
+
84
+ 6
85
+
86
+
87
+
88
+ CERVIDAE (DEER) ...................................................... 46
89
+ MOOSE ALCES ALCES ..................................................... 47
90
+ WHITE-TAILED DEER ODOCOILEUS VIRGINIANUS ........... 49
91
+ MULE DEER ODOCOILEUS HEMIONUS ........................... 51
92
+ ERETHIZONTIDAE (PORCUPINES) ........................ 53
93
+ NORTH AMERICAN PORCUPINE ERETHIZON DORSATUM . 54
94
+ CASTORIDAE (BEAVERS) ......................................... 56
95
+ BEAVER CASTOR CANADENSIS ........................................ 57
96
+ SCIURIDAE (SQUIRRELS) ......................................... 59
97
+ RED SQUIRREL TAMIASCHIURUS HUDSONICUS ................ 60
98
+ NORTHERN FLYING SQUIRREL GLAUCOMYS SABRINUS ... 62
99
+ WOODCHUCK MARMOTA MONAX .................................... 64
100
+ RICHARDSON’S GROUND SQUIRREL UROCITELLUS
101
+ RICHARDSONII ................................................................ 66
102
+ THIRTEEN-LINED GROUND SQUIRREL ICTIDOMYS
103
+ TRIDECEMLINEATUS ........................................................ 68
104
+ LEAST CHIPMUNK NEOTAMIAS MINIMUS......................... 70
105
+ CRICETIDAE (MUSKRATS, MICE, VOLES AND
106
+ LEMMINGS) .................................................................. 72
107
+ MUSKRAT ONDATRA ZIBETHICUS ................................... 73
108
+ WESTERN DEER MOUSE PEROMYSCUS SONORIENSUS ..... 75
109
+ MEADOW JUMPING MOUSE ZAPUS HUDSONIUS .............. 77
110
+ WESTERN JUMPING MOUSE ZAPUS PRINCEPS ................ 79
111
+ WESTERN MEADOW VOLE MICROTUS DRUMMONDII ..... 81
112
+
113
+ 7
114
+
115
+
116
+
117
+ SOUTHERN RED-BACKED VOLE MYODES GAPPERI ......... 83
118
+ NORTHERN BOG LEMMING SYNAPTOMYS BOREALIS ........ 85
119
+ GEOMYIDAE (POCKET GOPHERS) ........................ 87
120
+ NORTHERN POCKET GOPHER THOMOMYS TALPOIDES ..... 88
121
+ SORICIDAE (SHREWS) ............................................... 90
122
+ ARCTIC SHREW SOREX ARCTICUS ................................... 91
123
+ MASKED SHREW SOREX CINEREUS ................................. 93
124
+ PYGMY SHREW SOREX HOYI ........................................... 95
125
+ LEPORIDAE (HARES) .................................................. 97
126
+ SNOWSHOE HARE LEPUS AMERICANUS ........................... 98
127
+ WHITE-TAILED JACKRABBIT LEPUS TOWNSENDII ......... 100
128
+ VESPERTILIONIDAE (EVENING BATS) ............... 102
129
+ LITTLE BROWN BAT MYOTIS LUCIFUGUS ..................... 103
130
+ BIG BROWN BAT EPTESICUS FUSCUS ........................... 105
131
+ HOARY BAT AEORESTES CINEREUS............................... 107
132
+ NORTHERN LONG-EARED BAT MYOTIS SEPTENTRIONALIS
133
+ .................................................................................... 109
134
+ SILVER-HAIRED BAT LASIONYCTERIS NOCTIVAGANS ..... 111
135
+ COLUBRIDAE (REAR-FANGED SNAKES) ............ 113
136
+ RED-SIDED GARTER SNAKE THAMNOPHIS SIRTALIS
137
+ PARIETALIS ................................................................... 114
138
+ WESTERN TERRESTRIAL GARTER SNAKE THAMNOPHIS
139
+ ELEGANS VAGRANS ........................................................ 116
140
+ PLAINS GARTER SNAKE THAMNOPHIS RADIX................ 118
141
+
142
+ 8
143
+
144
+
145
+
146
+ AMBYSTOMATIDAE (MOLE SALAMANDERS) .. 120
147
+ WESTERN TIGER SALAMANDER AMBYSTOMA MAVORTIUM
148
+ .................................................................................... 121
149
+ BUFONIDAE (TOADS) ............................................... 123
150
+ WESTERN TOAD ANAXYRUS BOREAS ............................. 124
151
+ CANADIAN TOAD ANAXYRUS HEMIOPHRYS ................... 126
152
+ HYLIDAE (TREE FROGS) ......................................... 128
153
+ BOREAL CHORUS FROG PSEUDACRIS MACULATA.......... 129
154
+ RANIDAE (TRUE FROGS) ........................................ 131
155
+ WOOD FROG LITHOBATES SYLVATICA ........................... 132
156
+ NORTHERN LEOPARD FROG LITHOBATES PIPIENS ........ 134
157
+ PHOTOGRAPHY CREDITS ...................................... 136
158
+
159
+ 9
160
+
161
+
162
+
163
+ MAMMALIA
164
+
165
+ Canidae (Wolves, Coyotes and
166
+ Foxes)
167
+ Coyote
168
+ Gray Wolf
169
+ Red Fox
170
+
171
+ 10
172
+
173
+
174
+
175
+ Coyote Canis latrans
176
+
177
+ Size: The Coyote is smaller and slimmer than the
178
+ Gray Wolf, but larger than the Red Fox. Adult
179
+ weight ranges from 10-23 kg (22-50 lb) and body
180
+ length ranges from 1-1.3 m (3-4 ft) including the
181
+ tail which measures 30-40 cm (12-16 in). Coyotes
182
+ stand 58-66 cm (23-26 in) high at the shoulder.
183
+ Description: The characteristic features of a
184
+ Coyote include a gray to red-gray fur coat with
185
+ black markings on the back and tail and lighter fur
186
+ underneath, long ears, a slender pointed muzzle and
187
+ a bushy tail that is usually carried low and close to
188
+ the hind legs.
189
+ Habitat: The Coyote is highly adaptable and can
190
+ be found in all regions of Alberta, including towns
191
+ and cities.
192
+ 11
193
+
194
+
195
+
196
+ Behaviour: Hares and mice are the most important
197
+ prey species for coyotes, but dead livestock, deer
198
+ and moose are often the most important winter
199
+ food. Blueberries and other fruits are heavily used
200
+ in season. Lately, urban Coyotes have been taking
201
+ small dogs and cats. They seldom hunt in packs
202
+ unless hunting large prey. Occasionally they hunt
203
+ with Badgers chasing down rodents escaping from
204
+ a digging Badger. For a natal den, the female
205
+ enlarges a rodent burrow. A litter of 5-7 pups is
206
+ born in April or May. Predators are wolves,
207
+ cougars, black bears and lynx.
208
+ Conservation Status: Least Concern in AB
209
+
210
+ 12
211
+
212
+
213
+
214
+ Gray Wolf Canis lupus
215
+
216
+ Size: The Gray Wolf measures on average 1-2 m
217
+ (3-6 ft) in total body length, with the tail
218
+ comprising a little less than one third of the total.
219
+ The male weighs about 66 kg (145 lb), while the
220
+ female weighs about 45 kg (100 lb).
221
+ Description: This slender but powerfully built
222
+ carnivore has long legs enabling speed while
223
+ hunting and the ability to overcome deep snow. Its
224
+ fur colour is typically a mix of gray and brown with
225
+ buff facial markings and underside, which can vary
226
+ from solid white to brown or black. The Gray Wolf
227
+ looks like a large German shepherd dog with a long
228
+ 13
229
+
230
+
231
+
232
+ bushy tail which is held straight back when
233
+ running.
234
+ Habitat: In Alberta, the Gray Wolf inhabits Boreal,
235
+ Foothills and Mountain regions. It lives in a pack of
236
+ 5-9 members, which requires a territory ranging
237
+ from 250-750 sq km (97-282 sq miles). A recent
238
+ siting near Big Lake is unusual and may have been
239
+ a single wolf looking for a pack of its own.
240
+ Behaviour: There is a pack hierarchy with the
241
+ alpha male dominant over the entire pack. The pack
242
+ will usually hunt in a group, but a single wolf or
243
+ mated pair are also successful. Deer, elk, moose
244
+ and sheep are the usual prey but beaver, waterfowl,
245
+ rabbits and mice are also hunted. The ability of the
246
+ Gray Wolf to run up to 64 km/hr (40 mph) and to
247
+ travel 48 km (30 m) per day, enables its success
248
+ when hunting. Barking is usually a warning and
249
+ howling is used for long distance communication.
250
+ Wolves rarely attack humans. In spring to early
251
+ summer, 4-6 pups are born and grow up in a natural
252
+ shelter. Predators are few but include cougar, bears
253
+ and humans.
254
+ Conservation Status: Secure in AB
255
+
256
+ 14
257
+
258
+
259
+
260
+ Red Fox Vulpes vulpes
261
+
262
+ Size: The Red Fox is the size of a small dog. Its
263
+ total body length measures 45-90 cm (18-35”). The
264
+ height at the shoulder is 35-50 cm (14-20 in) and its
265
+ weight is 2-14 kg (5-31 lb).
266
+ Description: It has a narrow muzzle, an elongated
267
+ body, relatively short limbs and a tail longer than
268
+ half the body length. The long, dense and fluffy fur
269
+ is a reddish-rusty colour on the body, while the
270
+ chin, throat, chest and tail tip are white. The paws
271
+ and backs of the ears are black. Other red fox
272
+ colours include silver/black or brown. The red fox
273
+ 15
274
+
275
+
276
+
277
+ is lightly built enabling it to have a running speed
278
+ of 50 km/h.
279
+ Habitat: The Red Fox inhabits the entire province
280
+ of Alberta, living on the edges of wooded areas,
281
+ prairies and farmlands as well as towns and cities.
282
+ Behaviour: These shy, curious animals favour
283
+ living in the open, usually in densely vegetated
284
+ areas, though they may enter burrows to escape bad
285
+ weather. They are great hunters, due to their acute
286
+ eyesight, hearing and sense of smell. They eat small
287
+ rodents, birds, insects, porcupines, raccoons,
288
+ reptiles, fruit, grasses, sedges and tubers. Small
289
+ dogs and cats are also taken in urban areas. They
290
+ are largely nocturnal so much of their hunting is
291
+ done at night but they can often be seen during the
292
+ day. The vixen gives birth to 4-6 kits in the spring
293
+ and raises them in a den. Predators include wolves
294
+ and coyotes, as well as eagles, and large owls will
295
+ take the kits.
296
+ Conservation Status: Secure in AB
297
+
298
+ 16
299
+
300
+
301
+
302
+ Ursidae (Bears)
303
+ Black Bear
304
+
305
+ 17
306
+
307
+
308
+
309
+ Black Bear Ursus americanus
310
+
311
+ Size: The adult Black Bear averages 45-200 kg
312
+ (100-440 lb) in weight and typically measures from
313
+ 150-180 cm (59-71 in) in head and body length.
314
+ Description: This medium sized bear has a broad
315
+ skull, a narrow muzzle and large jaw hinges. The
316
+ snout and face form a straight line. The ears are
317
+ prominent and are set well back on the head. The
318
+ paws are relatively large 23 cm (5-9 in) and the
319
+ claws are short, curved and black. Despite being
320
+ 18
321
+
322
+
323
+
324
+ called a Black Bear the coat colour varies from
325
+ black to blond.
326
+ Habitat: The Black Bear prefers areas with thick
327
+ vegetation and large quantities of edible material.
328
+ Although found in the largest numbers in the wild,
329
+ the Black Bear can adapt to surviving in semi-urban
330
+ regions and undisturbed rural areas as long as they
331
+ have accessible food and some vegetative cover.
332
+ Behaviour: The Black Bear is highly dexterous
333
+ with its paws, has great physical strength and is
334
+ sure-footed and able to run at speeds up to 48 km/hr
335
+ (25-30 mph). It has an extremely good sense of
336
+ smell and has a constant need to eat as it hibernates
337
+ through the winter. It is also a strong swimmer,
338
+ regularly climbs trees to feed and escape enemies
339
+ and may be active day or night. The black bear is
340
+ an omnivore eating plants, berries, insects, fawns,
341
+ calves and carrion. Sows birth 2-3 cubs in Jan.-Feb.
342
+ every second year. Predators of cubs include
343
+ cougars, coyotes, and wolves.
344
+ Conservation Status: Secure in AB
345
+
346
+ 19
347
+
348
+
349
+
350
+ Felidae (Cats)
351
+ Canada Lynx
352
+
353
+ 20
354
+
355
+
356
+
357
+ Canada Lynx Lynx canadensis
358
+
359
+ Size: This medium-sized wildcat has a height at the
360
+ shoulder of 48-56 cm (19-22 in), a body length of
361
+ 80-105 cm (31-41 in) and a weight of 8-14 kg (1831 lb).
362
+ Description: The Lynx has a short tail, distinctive
363
+ tufts of black hair on the tips of the ears, large furcovered paws for walking on snow and long
364
+ whiskers on the face. Body colour varies from
365
+ brown to gold to beige-white and is marked with
366
+ dark brown spots. It has white fur on its chest, belly
367
+ and on the inside of its legs. The name Lynx
368
+ meaning light and brightness refers to the
369
+ luminescence of its reflective eyes.
370
+ 21
371
+
372
+
373
+
374
+ Habitat: It inhabits most of Alberta except the
375
+ south-east corner of the province. It prefers boreal
376
+ forest with dense cover of shrubs, reeds and tall
377
+ grass and with a cold, snowy winter.
378
+ Behaviour: Lynx make sounds like a very loud
379
+ house cat. Due to its elusive nature, it is rare to see
380
+ one. Although this cat hunts on the ground, it can
381
+ climb trees and swim swiftly. The Lynx feeds
382
+ almost exclusively on snowshoe hares, however, it
383
+ will hunt squirrels, rodents, fawns, fish and birds if
384
+ necessary. It constructs rough shelters under
385
+ deadfall trees or rocky cavities. The female gives
386
+ birth to 1-4 kittens. Predators include cougars,
387
+ wolves and coyotes.
388
+ Conservation Status: Sensitive in AB
389
+
390
+ 22
391
+
392
+
393
+
394
+ Mustelidae (Weasels)
395
+ Wolverine
396
+ Badger
397
+ Marten
398
+ Mink
399
+ Fisher
400
+ Least Weasel
401
+ Long-tailed Weasel
402
+ Short-tailed Weasel
403
+
404
+ 23
405
+
406
+
407
+
408
+ Wolverine Gulo gulo
409
+
410
+ Size: An adult Wolverine is about the size of a
411
+ medium dog with a length from 65-107 cm (2642”), a tail of 17-26 cm (7-10”) and a weight of 625 kg (12-55 lb).
412
+ Description: The Wolverine is stocky and
413
+ muscular with short legs, a broad, rounded head,
414
+ small eyes and short rounded ears. Its large fivetoed paws have crampon-like claws enabling it to
415
+ easily climb up trees and steep rocky cliffs. Its thick
416
+ fur ranges in colour from dark brown to a burnt
417
+ 24
418
+
419
+
420
+
421
+ orange with its facial mask, legs, back and tail
422
+ darker than the midsection. There is usually a stripe
423
+ of blond fur running from the shoulders to the
424
+ large, bushy tail.
425
+ Habitat: Historically found across Alberta,
426
+ Wolverines now live in the northern boreal half of
427
+ the province and along the mountains and foothills.
428
+ They are found in evergreen or mixed forests often
429
+ interspersed with lakes, streams and bogs. They
430
+ require a very large home range; the range of a
431
+ male can be more than 620 km sq. (240 mi sq).
432
+ There have been two sightings around Big Lake in
433
+ the last 10 years.
434
+ Behaviour: This largest member of the weasel
435
+ family has a reputation for ferocity and strength out
436
+ of proportion to its size, with the documented
437
+ ability to kill prey many times larger than itself. Its
438
+ feeding style appears voracious (the basis of the
439
+ scientific name meaning glutton). Carrion is a large
440
+ part of its diet as well as small to medium mammals
441
+ and geese, bird eggs, roots, seeds and berries.
442
+ Female Wolverines burrow into snow in February
443
+ to provide a den for 2-3 young kits. Predators
444
+ include wolves and less frequently, bears.
445
+ Conservation Status May be at risk in AB
446
+
447
+ 25
448
+
449
+
450
+
451
+ Badger Taxidea taxus
452
+
453
+ Size: The Badger measures 60-75 cm (24-30”) in
454
+ total length, with a tail 10-16 cm (4-6 in) and a
455
+ weight of 6-7 kg (14-16 lb).
456
+ Description: It has a stocky, low-slung body with
457
+ short, powerful legs and huge foreclaws. The fur
458
+ colour is brown, black and white giving a browntan appearance. The triangular face shows a black
459
+ and white pattern with a white stripe extending
460
+ from the nose to the base of the head and extending
461
+ the full length of the body to the tail.
462
+
463
+ 26
464
+
465
+
466
+
467
+ Habitat: In Alberta, the Badger is present from the
468
+ North Saskatchewan River area to the south of the
469
+ province. Typical habitat is open grasslands such as
470
+ prairie with sandy loam soil where prey can easily
471
+ be dug.
472
+ Behaviour: The Badger is generally nocturnal,
473
+ however females may forage during daylight from
474
+ late March to mid-May. They do not hibernate and
475
+ will emerge from the burrow with above freezing
476
+ temperatures. Young are born March-April with
477
+ litters of 1-5 young. It preys on Northern pocket
478
+ gophers, Richardson’s ground squirrels, moles,
479
+ mice and snakes. Insects and plants are also eaten.
480
+ Coyotes have been known to hunt in tandem with
481
+ badgers, catching prey that try to flee the Badger’s
482
+ underground digging. Predators include golden
483
+ eagles, coyotes, cougars, bears and wolves.
484
+ Conservation Status: Sensitive in AB
485
+
486
+ 27
487
+
488
+
489
+
490
+ Marten Martes Americana
491
+
492
+ Size: The Marten, often called a pine marten, has a
493
+ total body length of 55-65 cm (22-26 in), a tail
494
+ length of 14-16 cm (5-6 in) and an average weight
495
+ of .5-1.4 kg (1-3 lb).
496
+ Description: It can be compared to the size of a
497
+ small house cat, except the Marten has a more
498
+ slender body, shorter legs, a bushy tail and a
499
+ foxlike pointed face. Its body fur colour is yellowbrown with a buff-coloured bib under its chin. The
500
+ tail and legs are dark brown. (It is lighter in colour
501
+ and smaller than the fisher). Each foot has 5 toes
502
+ with sharp curved claws. Descent of trees headfirst
503
+ is possible by rotating its hind limbs. The fur
504
+ 28
505
+
506
+
507
+
508
+ industry refers to its high value fur as Canadian
509
+ sable.
510
+ Habitat: The Marten is found across the northern
511
+ half of Alberta. It prefers mature coniferous forest
512
+ with downed logs and cavities in trees, but is also
513
+ found in young mixed woods forest.
514
+ Behaviour: Ferocious describes this nocturnal little
515
+ predator, but it can be seen in the daytime as well.
516
+ During the spring and summer, the male is active
517
+ for about 16 hrs. a day and the female 6-8 hrs.,
518
+ mostly travelling on the ground. During the winter,
519
+ the marten may only hunt for a few hours in the
520
+ warmest part of the day and usually under the
521
+ snow. Its diet consists of voles, the preferred prey,
522
+ squirrels, small rodents, snowshoe hares, bird eggs,
523
+ berries and fish. In summer its den is a leaf-lined
524
+ nest in a tree cavity, fallen logs or root masses of
525
+ fallen trees, while in winter only the ground level
526
+ sites are used. The litter size averages 1-5 young.
527
+ Predators include fisher, coyote, lynx and great
528
+ horned owl.
529
+ Conservation Status: Secure in AB
530
+
531
+ 29
532
+
533
+
534
+
535
+ Mink Neovison vison
536
+
537
+ Size: The adult weight is about 1 kg (2.2 lb) and
538
+ total body length ranges from 65-75 cm (25-30in).
539
+ Description: The Mink has a long, slender body
540
+ with short sturdy legs, a long neck and pointed
541
+ face, small ears and a bushy tail. Distinguishing
542
+ traits include a dark, brown to black coat,
543
+ sometimes with white spots on the chin and chest.
544
+ Habitat: In Alberta, it can be found in the Boreal,
545
+ Foothill and Rocky Mountain natural regions. This
546
+ semi-aquatic weasel is seldom seen far from
547
+ watercourses.
548
+ Behaviour: The scent from the musk gland is used
549
+ to mark the Mink’s territory; although the musk
550
+ smells worse than that of a skunk, it cannot be
551
+ sprayed for defence. This nocturnal hunter has a
552
+ diet of ducks, fish, muskrat and small birds and
553
+ 30
554
+
555
+
556
+
557
+ rodents. It runs with a bounding gait, climbs trees
558
+ and swims well. In May, 5-6 kits are born, usually
559
+ in an abandoned muskrat den. Predators include
560
+ great horned owls, red foxes, wolves and black
561
+ bears.
562
+ Conservation Status: Secure in AB
563
+
564
+ 31
565
+
566
+
567
+
568
+ Fisher Martes pennanti
569
+
570
+ Size: The Fisher has a body length of 50-70 cm
571
+ (20-28 in) and a tail 30-42 cm (12-17 in). It weighs
572
+ from 1.5 -6 kg (3-13 lb).
573
+ Description: It is a house cat sized member of the
574
+ weasel family with a long slender body, short legs,
575
+ a bushy tail and rounded ears set close to its head.
576
+ Its large feet with hairy soles have 5 toes and sharp
577
+ partially retractable claws enabling it to move
578
+ easily in trees. Its hind ankle joints, which can
579
+ rotate almost 180 degrees, enable it to descend a
580
+ tree headfirst. Its fur colour is medium to dark
581
+ brown, sometimes with a cream chest patch. While
582
+ 32
583
+
584
+
585
+
586
+ the Fisher is a close relative of the marten, it is
587
+ almost twice as large and 4 times as heavy.
588
+ Habitat: In Alberta, it lives in mature forests of
589
+ the Boreal and Rocky Mountain regions and
590
+ sometimes in the Parkland region. It spends most of
591
+ its time on the forest floor where there is
592
+ continuous overhead cover.
593
+ Behaviour: The Fisher is a carnivore and a skilled
594
+ hunter being one of the few animals to regularly
595
+ kill porcupine. It also preys on birds, rodents,
596
+ squirrels and hares, but does not eat fish. Primarily
597
+ nocturnal, it usually spends the day sleeping in
598
+ hollow trees or logs but also may be spotted during
599
+ the day. In winter, it uses a snow den or burrow
600
+ under the snow for shelter. It does not hibernate.
601
+ The female gives birth to 1-4 kits. Predators include
602
+ bears, coyotes, lynx and wolverine.
603
+ Conservation Status: Sensitive in AB
604
+
605
+ 33
606
+
607
+
608
+
609
+ Least Weasel Mustela nivalis
610
+
611
+ Size: The Least Weasel is a small carnivore, with a
612
+ body length, including the tail of 20 cm (8”) and a
613
+ weight of 70 g (3 oz).
614
+ Description: It has a small head with short oval
615
+ ears, black beady eyes and a pointed nose. Its body
616
+ is long and slender turning brown in summer with
617
+ white on the belly and white in winter, with a few
618
+ black hairs on the tip of its tail.
619
+ Habitat: The Least Weasel is found in all natural
620
+ regions of Alberta, particularly in fields, meadows,
621
+ riverbanks and parkland.
622
+ 34
623
+
624
+
625
+
626
+ Behaviour: The least weasel does not dig its own
627
+ den, but nests in an abandoned burrow. The nest
628
+ chamber is lined with straw and skins from its prey.
629
+ Its diet includes mice, shrews and pocket gophers
630
+ captured in their burrows and snow tunnels. It also
631
+ eats insects. This fierce hunter is capable of killing
632
+ a rabbit 5-10 times its own weight. There are 3-6
633
+ kits in a litter. Predators include red foxes, and
634
+ owls. This weasel is very agile and not often seen.
635
+ Conservation Status: Secure in AB
636
+
637
+ 35
638
+
639
+
640
+
641
+ Long-tailed Weasel Neogale frenata
642
+
643
+ Size: The Long-tailed Weasel has a total body
644
+ length averaging 45 cm (16”), a tail length 15 cm (6
645
+ in) and a weight of 340 g (12 oz).
646
+ Description: It has a small head with short oval
647
+ ears, black beady eyes and a pointed nose. Its body
648
+ is long and slender turning brown in summer with
649
+ white on the belly and white in winter, with a few
650
+ black hairs on the tip of its tail.
651
+ Habitat: Preferring open country, the Long-tailed
652
+ Weasel inhabits the Parkland and Grassland natural
653
+ regions of Alberta.
654
+ Behaviour: The Long-tailed Weasel dens in
655
+ ground burrows, under stumps or beneath rock
656
+ 36
657
+
658
+
659
+
660
+ piles. The nest chamber is lined with straw and the
661
+ fur of prey. It is a fearless and aggressive hunter.
662
+ When stalking, it waves its head from side to side
663
+ to pick up the scent. This carnivore eats mice, rats,
664
+ squirrels, chipmunks, shrews, moles, rabbits, small
665
+ birds, reptiles, amphibians, fish and insects. In late
666
+ April, 4-8 kits are born. Predators include large
667
+ owls, coyotes, foxes and snakes. Its population has
668
+ experienced dramatic declines as a result of habitat
669
+ loss and fragmentation.
670
+ Predators include large owls, coyotes, foxes and
671
+ snakes This weasel is very agile and not often seen.
672
+ Conservation Status: May Be at Risk in AB
673
+
674
+ 37
675
+
676
+
677
+
678
+ Short-tailed Weasel Mustela erminea
679
+
680
+ Size: The body length of the Short-tailed Weasel or
681
+ Stoat is on average 33 cm (13”), its tail length is 9
682
+ cm (3 in) and its weight is 170 g (6 oz).
683
+ Description: It has a long body, short legs and a
684
+ long neck. Its head is bluntly pointed and its ears
685
+ are small and rounded. In summer, its fur is brown
686
+ with white underparts, white feet and a black tip on
687
+ the tail. They molt to white in winter with a blacktipped tail. Its smaller size and white feet
688
+ distinguish this species from the long-tailed weasel.
689
+ The fur was considered a luxury fur in Europe,
690
+ where it was called ermine and stoat.
691
+ Habitat: Alberta’s most common weasel is found
692
+ in all natural regions, except the Grassland. Brushy
693
+ 38
694
+
695
+
696
+
697
+ or wooded areas, usually not far from water, are
698
+ preferred.
699
+ Behaviour: Even though this weasel is small, it is a
700
+ fierce predator and skilled hunter. With great speed
701
+ and agility, it preys on mice, voles, shrews, rabbits,
702
+ chipmunks, and nesting birds. It sometimes uses the
703
+ burrows and nest chambers of the rodents it kills or
704
+ it builds a nest under rocks, logs, tree roots or
705
+ haystacks. It is primarily nocturnal; however, it can
706
+ be seen during the daytime. In April-May, 4-8
707
+ young are born. Predators include foxes, raptors
708
+ and badgers.
709
+ Conservation Status: Secure in AB
710
+
711
+ 39
712
+
713
+
714
+
715
+ Mephitidae (Skunks)
716
+ Striped Skunk
717
+
718
+ 40
719
+
720
+
721
+
722
+ Striped Skunk Mephitis mephitis hudsonica
723
+
724
+ Size: The Striped Skunk measures 52-77 cm (2130”) in total body length and usually weighs 2-6 kg
725
+ (4-10 lb). It is similar to the size of a large
726
+ domestic cat. The western Canadian subspecies is
727
+ larger than the eastern subspecies, with a heavily
728
+ furred, medium-sized tail.
729
+ Description: It is stout, short limbed and has a
730
+ small, conical head and a long heavily furred tail.
731
+ The fur colour generally consists of a black base
732
+ with a white stripe from the head along each side of
733
+ the back to the rump and tail. The sharp claws on
734
+ its front feet aid in digging for insects and worms.
735
+ It possesses 2 scent glands on each side of the anus.
736
+ 41
737
+
738
+
739
+
740
+ Habitat: The Skunk is most common in the central
741
+ and southern parts of Alberta. It inhabits mixed
742
+ woodlands, brushy corners and open fields
743
+ interspersed with wooded ravines and rocky
744
+ outcrops. It is also quite at home in urban areas
745
+ with some brush or ravines.
746
+ Behaviour: The Skunk is nocturnal with slow and
747
+ deliberate behaviour enabled by its ability to spray
748
+ its foul-smelling fluid 4-5 m, 6 times in succession.
749
+ While primarily an insectivore (grasshoppers,
750
+ beetles, crickets and caterpillars), it will also eat
751
+ mice, voles, eggs, bird chicks, berries and corn. It
752
+ lives in abandoned dens, stumps, rock piles or
753
+ under buildings and decks in urban areas. It does
754
+ not truly hibernate, but generally remains inactive
755
+ during winter surviving on its fat stores. In winter,
756
+ the striped skunk will forage for short periods.
757
+ Litters consist of 2-12 kits born in mid-May to
758
+ June. The Skunk has few natural enemies (except
759
+ for Great Horned Owls) but if starving, cougars,
760
+ coyotes, bobcats, badgers, foxes, and eagles will
761
+ attack them. These skunks can carry rabies, but
762
+ there are very few rabid skunks in Alberta.
763
+ Conservation Status: Secure in AB
764
+
765
+ 42
766
+
767
+
768
+
769
+ Procyonidae (Racoons)
770
+ Racoon
771
+
772
+ 43
773
+
774
+
775
+
776
+ Racoon Procyon lotor
777
+
778
+ Size: Raccoons have a body length of 40-70 cm
779
+ (16-28 in) not including the tail, which on average
780
+ measures 25 cm (10 in). They weigh 5-12 kg (1030 lb).
781
+ Description: This stout, short legged animal has a
782
+ distinctive mask formed by black fur around the
783
+ eyes contrasting with its white face. As well, its
784
+ bushy tail has 5-6 alternating light and dark rings.
785
+ The body fur is grizzly gray coloured with some
786
+ brown. The front paws have 5 digits with claws and
787
+ no webbing and are very agile, almost like fingers.
788
+
789
+ 44
790
+
791
+
792
+
793
+ Habitat: Traditionally it has resided largely in
794
+ Alberta’s southeast area, however, in recent years
795
+ its territory has expanded to include the central part
796
+ of the province. The original habitat was deciduous,
797
+ mixed forests and wetlands, but they are also now
798
+ found in mountainous and urban areas.
799
+ Behaviour: The Raccoon is nocturnal, but is
800
+ sometimes seen in daylight. It walks slowly but can
801
+ climb a tree quickly and has the ability to descend
802
+ headfirst by rotating its hind feet. In the wild, they
803
+ are omnivorous feeding on crayfish, fish, birds eggs
804
+ and hatchlings, fruits, nuts, insects and berries.
805
+ They are known for washing their food but really, it
806
+ is dabbling in the water looking for food, then it
807
+ uses its front paws to rub the item and remove
808
+ unwanted parts. Tree hollows, rock crevices or
809
+ burrows dug by other mammals, are used for a den.
810
+ A litter size is 2-5 kits. Predators are few because
811
+ the raccoon is fierce in defence, but include black
812
+ bears, wolves, lynx and bald eagles.
813
+ Conservation Status: Secure in AB
814
+
815
+ 45
816
+
817
+
818
+
819
+ Cervidae (Deer)
820
+ Moose
821
+ White-tailed Deer
822
+ Mule Deer
823
+
824
+ 46
825
+
826
+
827
+
828
+ Moose Alces alces
829
+
830
+ Size: Moose are the largest members of the deer
831
+ family. Bulls can weigh on average 550 kg (1200
832
+ lb) and stand 2 m (6-7 ft) at the shoulder. Cows
833
+ average 350 kg (770 lb). Body length varies from
834
+ 2-3 m (7-10 ft).
835
+ Description: Moose have dark colouration which
836
+ varies from dark brown to black. Other features of
837
+ both sexes are: broad muzzle, shoulder hump, and
838
+ a loose fold of skin under the chin called a “bell”.
839
+ Bulls have broad, palm-like antlers that can
840
+ measure 2 m (6 ft) from tip to tip and can weigh up
841
+ to 40 kg (88 lb).
842
+ Habitat: In Alberta, Moose are common in most
843
+ eco-regions except for the prairie and parkland.
844
+ They prefer muskegs, brushy meadows and small
845
+ 47
846
+
847
+
848
+
849
+ groves of aspen or coniferous trees particularly
850
+ near lakes, ponds or streams.
851
+ Behaviour: They are most active in the day,
852
+ feeding on aquatic plants and the tender shoots of
853
+ willow, birch and poplar as well as aspen bark and
854
+ minerals from natural salt licks. All deer are
855
+ ruminants meaning they ferment plant material
856
+ before digesting it. They often bed down in the
857
+ afternoon to digest their food. They will move and
858
+ feed at night as well. Moose have acute senses of
859
+ smelling and hearing, however, their sight is poor.
860
+ When alarmed, Moose will often trot away with
861
+ long smooth strides. In spite of their large size,
862
+ moose can move through underbrush very quietly.
863
+ One or two calves are born in the spring. Predators
864
+ include wolves, black bears and grizzly bears.
865
+ Conservation Status: Least concern in AB
866
+
867
+ 48
868
+
869
+
870
+
871
+ White-tailed Deer Odocoileus virginianus
872
+
873
+ Size: White-tailed Deer have a shoulder height of
874
+ 53-120 cm (21-47 in). The average weight for
875
+ bucks is 113-125 kg (250-275 lb.), while does
876
+ weigh about 73-82 kg (160-180 lb.).
877
+ Description: This deer changes from red-brown
878
+ in summer to gray-brown in winter. The brown tail
879
+ is broad, fringed with white and white underneath.
880
+ When running the tail is held erect, hence the name
881
+ “white-tail”. Antlers on bucks have unbranched
882
+ tines extending up from single beams.
883
+ Habitat: They are Alberta’s most abundant deer
884
+ found in the prairie, parkland and southern boreal
885
+ zones. Their range is expanding westward into the
886
+ foothills and mountains and northward into the
887
+ boreal zone. Typical habitat includes aspen groves,
888
+ 49
889
+
890
+
891
+
892
+ wooded river flats and coulees. Brushy patches
893
+ provide food and good cover, in which even the
894
+ largest white-tail is difficult to see.
895
+ Behaviour: The diet of White-tailed Deer
896
+ includes grasses, forbs, chokecherry, saskatoon and
897
+ other shrubs. All deer are ruminants meaning they
898
+ ferment plant material before digesting it. They
899
+ often bed down in the afternoon to digest their
900
+ food. One or two fawns are born to each doe in the
901
+ spring. Fawns are left for long periods of time
902
+ alone, however, their camouflage and lack of smell
903
+ help to protect them. White-tailed Deer are very
904
+ wary, and when alarmed they move rapidly
905
+ bounding away in smooth, graceful leaps. Predators
906
+ include wolves and cougars. Bobcats, lynx, bears,
907
+ wolverines and packs of coyotes, usually prey
908
+ mainly on fawns.
909
+ Conservation Status: Least Concern in AB
910
+
911
+ 50
912
+
913
+
914
+
915
+ Mule Deer Odocoileus hemionus
916
+
917
+ Size: Mule Deer have a height of 80-106 cm (3142”) at the shoulder and a nose to tail length of 1-2
918
+ m (4-7’). Adult bucks weigh 92 kg (203 lb) on
919
+ average. Does are smaller and typically weigh 68
920
+ kg (150 lb).
921
+ Description: Their ears are large like those of the
922
+ mule. The coat ranges from dark brown gray, dark
923
+ and light gray to brown and even reddish. They
924
+ 51
925
+
926
+
927
+
928
+ look similar to white-tailed deer except their tails
929
+ are black tipped and their antlers divide evenly as
930
+ they grow.
931
+ Habitat: Mule Deer are found throughout Alberta
932
+ primarily in shrub-forest areas of open coniferous
933
+ forests, aspen parkland, river valleys and steep
934
+ broken terrain.
935
+ Behaviour: Although capable of running, they are
936
+ often seen “stotting” leaping with all 4 feet coming
937
+ down together. They eat shrubs and trees, forbes,
938
+ grasses, nuts, berries and mushrooms. All deer are
939
+ ruminants meaning they ferment plant material
940
+ before digesting it. They often bed down in the
941
+ afternoon to digest their food. Does usually give
942
+ birth to 2 fawns but their first time usually one. In
943
+ Alberta, this takes place during June and July.
944
+ Three main predators are coyotes, wolves and
945
+ cougars. Bobcats, lynxes, wolverines and black
946
+ bears attack the fawns.
947
+ Conservation Status: Least Concern in AB
948
+
949
+ 52
950
+
951
+
952
+
953
+ Erethizontidae (Porcupines)
954
+ North American Porcupine
955
+
956
+ 53
957
+
958
+
959
+
960
+ North American Porcupine Erethizon
961
+ dorsatum
962
+
963
+ Size: The North American Porcupine is a large,
964
+ robust rodent, the second largest in Canada next to
965
+ the beaver. Adult males weigh on average 10 kg
966
+ (22 lb).
967
+ Description: It has a thick, short tail, short
968
+ powerful legs and long curved claws. The coat is
969
+ composed of a dense, brown undercoat of fur with
970
+ yellow-tipped guard hairs, alternating with rows of
971
+ quills. The estimated 30,000 quills have small barbs
972
+ on the tip and are hollow, providing buoyancy
973
+ when the animal swims. There are no quills on the
974
+ muzzle, legs or underparts. It is the only N.
975
+ American mammal with antibiotics in its skin,
976
+ 54
977
+
978
+
979
+
980
+ which prevents infection when the porcupine falls
981
+ out of a tree and is stuck with its own quills. When
982
+ tempted to eat succulent buds at the ends of
983
+ branches, it often falls out of trees. It is able to use
984
+ its teeth and front paws to pull the quills out.
985
+ Habitat: It is found throughout Alberta, usually
986
+ near stands of woody vegetation, its main source of
987
+ food.
988
+ Behaviour: This quiet, gentle animal is not always
989
+ easy to see, but noisy chewing, cut twigs and
990
+ missing bark may advertise its presence. In
991
+ summer, it is nocturnal and feeds on greens, forbs,
992
+ shrubs and trees; in winter, the inner bark, twigs
993
+ and buds of trees are eaten. When in danger, it
994
+ chatters its teeth, turns its rear to a predator and
995
+ swings its tail. When a quill comes in contact, it
996
+ becomes embedded in the attacker’s skin. It does
997
+ not throw the quills; they have to contact the
998
+ attacker. The Porcupine leads a solitary life but in
999
+ winter it groups together with others for denning or
1000
+ food. It does not hibernate. One young is born from
1001
+ May to July. Predators include coyotes, bears,
1002
+ cougars and owls.
1003
+ Conservation Status: Least Concern in AB
1004
+
1005
+ 55
1006
+
1007
+
1008
+
1009
+ Castoridae (Beavers)
1010
+ Beaver
1011
+
1012
+ 56
1013
+
1014
+
1015
+
1016
+ Beaver Castor canadensis
1017
+
1018
+ Size: The Beaver is the largest N. American rodent
1019
+ weighing from 20-35 kg (44-77 lb). The body
1020
+ length varies from 74-90 cm (29-35 in) and the tail
1021
+ measures 20-35 cm (8-14 in).
1022
+ Description: The fur is a red-brown colour. The
1023
+ flat scaly tail is used as a rudder, as a prop when
1024
+ standing, as a lever when dragging logs and as a
1025
+ warning when slapped on the water. The digits and
1026
+ claws of the forepaws are long and delicate to aid in
1027
+ handling wood and the digits of the hind feet are
1028
+ broad with webbing to propel the animal through
1029
+ the water.
1030
+
1031
+ 57
1032
+
1033
+
1034
+
1035
+ Habitat: The Beaver lives in all natural regions of
1036
+ Alberta except the alpine subregion. The primary
1037
+ habitat is the riparian zone inclusive of stream bed.
1038
+ They are quite at home in urban areas with rivers
1039
+ and streams.
1040
+ Behaviour: It is largely nocturnal, although it can
1041
+ be active in day. It constructs dams on streams to
1042
+ create ponds, which flood the surrounding area for
1043
+ protection and easy access to fell trees. A lodge is
1044
+ constructed of sticks and mud that provides
1045
+ excellent protection at night and over winter. Some
1046
+ beavers live along rivers and burrow into the bank.
1047
+ The Beaver is active all winter, feeding from the
1048
+ underwater store of twigs and leaves in the Beaver
1049
+ pond. From April to June, often four kits are born.
1050
+ It eats pond weeds, waterlilies, cattails, and the
1051
+ bark of poplar, willow, cottonwood, shrubs and
1052
+ other trees. When the food supply is exhausted, it
1053
+ moves to another area. Predators include coyotes,
1054
+ wolves and bears.
1055
+ Conservation Status: Secure in AB
1056
+
1057
+ 58
1058
+
1059
+
1060
+
1061
+ Sciuridae (Squirrels)
1062
+ Red Squirrel
1063
+ Northern Flying Squirrel
1064
+ Woodchuck (Groundhog)
1065
+ Richardson’s Ground Squirrel
1066
+ Thirteen-lined Ground Squirrel
1067
+ Least Chipmunk
1068
+
1069
+ 59
1070
+
1071
+
1072
+
1073
+ Red Squirrel Tamiaschiurus hudsonicus
1074
+
1075
+ Size: The body length of the Red Squirrel is 28-35
1076
+ cm (11-14”) including the tail, which is half the
1077
+ length of the body. Its weight is 200-250 g (7-9 oz).
1078
+ Description: It is a small squirrel but somewhat
1079
+ larger than the chipmunk. Its fur can range in
1080
+ colour from rusty red to grey-brown on their backs
1081
+ to stark white on their throats, bellies and rings
1082
+ around their eyes. It has sharp, curved claws which
1083
+ enable it to easily climb and descend trees. The big,
1084
+ bushy tail is used for balance when jumping from
1085
+ 60
1086
+
1087
+
1088
+
1089
+ tree to tree and for intimidating a rival with a lot of
1090
+ flicking, as well as chattering and foot stomping.
1091
+ Habitat: In Alberta, it is abundant where conifers
1092
+ are common, including urban areas.
1093
+ Behaviour: The Red Squirrel is a feisty and
1094
+ territorial rodent that defends a year-round territory.
1095
+ Its nest is constructed of grass in the branches of
1096
+ trees or in cavities in the trunks of trees. It is an
1097
+ omnivore, consuming conifer seeds (over 50% of
1098
+ its diet), buds, needles, mushrooms, willow leaves,
1099
+ flowers, berries, mice, eggs and small birds. Cone
1100
+ seeds are stored in a cache for winter since it does
1101
+ not hibernate. Females produce one litter per year
1102
+ with 1-5 young. Predators include the lynx, bobcat,
1103
+ coyote, great horned owl, northern goshawk, redtailed hawk, crow, red fox, wolf and weasel.
1104
+ Conservation Status: Secure in AB
1105
+
1106
+ 61
1107
+
1108
+
1109
+
1110
+ Northern Flying Squirrel Glaucomys
1111
+
1112
+ sabrinus
1113
+
1114
+ Size: The adult Northern Flying Squirrel measures
1115
+ from 25-37 cm (10-15 in) long and weighs on
1116
+ average 110-230 g (4-8 oz).
1117
+ Description: It has thick light brown or cinnamon
1118
+ coloured fur on its upper body, gray fur on the
1119
+ flanks and whitish fur on the underparts. It has
1120
+ large eyes, long whiskers and a flat tail.
1121
+ Habitat: The Northern Flying Squirrel is found in
1122
+ most of Alberta except for the south-east part of the
1123
+ 62
1124
+
1125
+
1126
+
1127
+ province. It prefers older coniferous and mixed
1128
+ forests. Good tree cover is important for protection
1129
+ when gliding between trees.
1130
+ Behaviour: This nocturnal squirrel is a proficient
1131
+ glider but a clumsy walker on the ground. After
1132
+ launching from atop trees, it uses a fold of skin
1133
+ between the front and back legs, to stretch into a
1134
+ square-like shape which enables it to glide. Just
1135
+ before reaching a tree, it raises its tail, points all of
1136
+ its limbs forward and creates a parachute effect to
1137
+ reduce the shock of landing. To avoid predators, it
1138
+ immediately runs to the top or to the other side of
1139
+ the tree. Holes in trees are used for nests. In winter,
1140
+ nests are shared forming aggregations of 4-10
1141
+ individuals to maintain body temperature. It does
1142
+ not hibernate. It is not often seen by the public as it
1143
+ is active mostly at night.
1144
+ A major food source is fungi, although it also eats
1145
+ lichens, mushrooms, tree sap, insects, carrion, bird
1146
+ eggs and nestlings, buds and flowers. Predators
1147
+ include owls, hawks, lynx, marten and red fox.
1148
+ Conservation Status: Secure in AB
1149
+
1150
+ 63
1151
+
1152
+
1153
+
1154
+ Woodchuck Marmota monax
1155
+
1156
+ Size: The Woodchuck, also known as the
1157
+ groundhog, may measure 42-69 cm (17-27 in) in
1158
+ length, including the tail which is 10-19 cm (4-7 in)
1159
+ long. It typically weighs 2-6 kg (4-14 lb).
1160
+ Description: It is stout and has a flat head, small
1161
+ ears and short, powerful limbs with curved, thick
1162
+ claws. The fur colour ranges from gray to
1163
+ cinnamon to dark brown. Its four incisor teeth grow
1164
+ 1.5 mm (1/16 in) per week; however, constant
1165
+ usage wears them down.
1166
+ Habitat: The range of the Woodchuck extends
1167
+ across the central and northern parts of Alberta. It
1168
+ prefers open country and the edges of woodland
1169
+ 64
1170
+
1171
+
1172
+
1173
+ and is rarely far from a burrow entrance, which can
1174
+ be identified by a large mound of excavated earth.
1175
+ Behaviour: This rodent is an excellent burrower
1176
+ constructing a tunnel up to 14 m (46 ft) in length
1177
+ and buried 1.5 m (5’), with a large chamber and 2-5
1178
+ entrances. Although the Woodchuck can swim and
1179
+ climb trees, it prefers to retreat to its burrow to
1180
+ avoid predators. It often stands erect on its hind
1181
+ legs watching for danger and uses a high-pitched
1182
+ whistle for warning. It eats wild grasses, other
1183
+ vegetation and occasionally grubs, insects and
1184
+ small animals. Instead of storing food, it puts on a
1185
+ lot of fat before hibernation to survive the winter. A
1186
+ litter includes 2-6 young. Predators are coyotes,
1187
+ badger, red foxes, mink, eagles, hawks and large
1188
+ owls.
1189
+ Conservation Status: Secure in AB
1190
+
1191
+ 65
1192
+
1193
+
1194
+
1195
+ Richardson’s Ground Squirrel Urocitellus
1196
+ richardsonii
1197
+
1198
+ Size: The Richardson’s Ground Squirrel, or gopher
1199
+ in western Canada, is about 30 cm (12”) long and
1200
+ has an average weight of 750 g (2 lb).
1201
+ Description: It is dark brown on the upper side and
1202
+ tan underneath. The tail is shorter and less bushy
1203
+ than other ground squirrels and is constantly
1204
+ trembling. It is also called a prairie dog or gopher,
1205
+ although it is neither. The ears are so short as to
1206
+ look more like holes in the animal’s head.
1207
+ 66
1208
+
1209
+
1210
+
1211
+ Habitat: Native to short grass prairies, the
1212
+ Richardson’s Ground Squirrel is found in central
1213
+ and southern Alberta. The range of this squirrel
1214
+ expanded as forests were cleared to create
1215
+ farmland. It is quite at home in urban areas with
1216
+ berms or vacant properties for burrows.
1217
+ Behaviour: Richardson’s Ground Squirrels live
1218
+ communally. Individuals give audible alarm calls
1219
+ when predators approach their colony (a whistle for
1220
+ a terrestrial predator and a chirp for an aerial
1221
+ predator). They can hibernate for up to 8 months
1222
+ from July to March. Each adult female owns a
1223
+ burrow system with 5-7 exits and 2-5 sleeping
1224
+ chambers. These animals are omnivores, eating
1225
+ seeds, nuts, grains, grasses and insects. Their litter
1226
+ averages 6 young per year. Predators include
1227
+ hawks, owls, snakes, weasels, badgers and coyotes.
1228
+ Conservation Status: Secure in AB
1229
+
1230
+ 67
1231
+
1232
+
1233
+
1234
+ Thirteen-lined Ground Squirrel Ictidomys
1235
+ tridecemlineatus
1236
+
1237
+ Size: Its body length is 17-30 cm (7-12”), its tail is
1238
+ 6-13 cm (3-5”) and its weight is 110-270 g (4-10
1239
+ oz).
1240
+ Description: The Thirteen-lined Ground Squirrel
1241
+ is brown in colour, with thirteen alternating brown
1242
+ and white lines (sometimes partially broken into
1243
+ spots) on its back and sides. It is also known as the
1244
+ striped gopher or the leopard ground squirrel.
1245
+ Habitat: It is widely distributed over grasslands
1246
+ and prairies of Alberta.
1247
+ 68
1248
+
1249
+
1250
+
1251
+ Behaviour: This burrowing rodent digs a burrow
1252
+ 5-6 m (15-20 ft) long. It is well known for standing
1253
+ upright to survey its domain, for diving down into
1254
+ its burrow when it senses danger, then for poking
1255
+ out its nose and giving a bird-like trill. It is also
1256
+ very quick with a maximum running speed of 13
1257
+ km/hr (8 mph). Being an omnivore, its diet
1258
+ consists of grass and weed seeds, caterpillars,
1259
+ grasshoppers, mice and shrews. In October, it
1260
+ enters its hibernation nest in a deeper section of the
1261
+ burrow where food has been stored. During
1262
+ hibernation, respiration is decreased from 100-200
1263
+ breaths/minute to 1 breath every 5 minutes! It
1264
+ emerges in early spring. A litter of 3-14 pups is
1265
+ born once a year. Predators include weasels,
1266
+ raptors, hawks and snakes.
1267
+ Conservation Status: Undetermined in AB (IUCN
1268
+ Status: Least Concern)
1269
+
1270
+ 69
1271
+
1272
+
1273
+
1274
+ Least Chipmunk Neotamias minimus
1275
+
1276
+ Size: The Least Chipmunk measures 16-25 cm (610 in) in total length, with a tail 10-11 cm (3.9-4.3
1277
+ in) and a weight of 25-66 g (1-2 oz). It is about the
1278
+ size of a small bird.
1279
+ Description: This smallest species of chipmunk is
1280
+ gray to reddish-brown on the sides of the body and
1281
+ greyish-white on the underparts. The back is
1282
+ marked with 5 dark brown to black stripes
1283
+ separated by 4 white or cream coloured stripes
1284
+ running from the neck to the tail. Two light and 2
1285
+ dark stripes mark the face, running from the nose to
1286
+ 70
1287
+
1288
+
1289
+
1290
+ the ears. The bushy tail is orange-brown in colour
1291
+ and almost the same length as the body.
1292
+ Habitat: In Alberta, it lives in all of the province
1293
+ except the south-western region. It is commonly
1294
+ found in sagebrush, coniferous woodland, along
1295
+ rivers, in alpine meadows and on the edges of the
1296
+ northern tundra.
1297
+ Behaviour: It can often be seen perched on its hind
1298
+ legs holding food in its front paws while it eats. It
1299
+ may also be seen with its stretchy cheek pouches
1300
+ filled with food it collects and stores in its burrow
1301
+ or in small holes it has dug in the ground. It eats
1302
+ seeds, berries, nuts, fruits and insects. In summer,
1303
+ this chipmunk has a nest in a tree, but in winter it
1304
+ uses a burrow with 2-4 entrances. These burrows
1305
+ are very hard to find because they never leave dirt
1306
+ piles at the entrances. The least chipmunk
1307
+ hibernates but wakes to eat food cached in the
1308
+ burrow. Females have a litter of 3-7 young each
1309
+ year. Predators include hawks, owls and weasels.
1310
+ Conservation Status: Secure in AB
1311
+
1312
+ 71
1313
+
1314
+
1315
+
1316
+ Cricetidae (Muskrats, Mice, Voles
1317
+ and Lemmings)
1318
+ Muskrat
1319
+ Deer Mouse
1320
+ Meadow Jumping Mouse
1321
+ Western Jumping Mouse
1322
+ Meadow Vole
1323
+ Southern Red-backed Vole
1324
+ Northern Bog Lemming
1325
+
1326
+ 72
1327
+
1328
+
1329
+
1330
+ Muskrat Ondatra zibethicus
1331
+
1332
+ Size: Muskrat adults weigh about 1.5 kg (3.3 lb)
1333
+ and have a body length about 40-70 cm (16-28 in),
1334
+ with half of that being tail.
1335
+ Description: These medium sized, semi-aquatic
1336
+ rodents have dense, waterproof, chestnut to dark
1337
+ brown fur. Their tail is narrow and flattened
1338
+ laterally to be used as a rudder and for propulsion
1339
+ by vibrating it side-to-side. When they walk on
1340
+ land, their tail drags which makes tracks easy to
1341
+ recognize. Their legs are short with small forefeet
1342
+ used for grasping objects, while the large hind feet
1343
+ are partially webbed.
1344
+
1345
+ 73
1346
+
1347
+
1348
+
1349
+ Habitat: Muskrats are found in all natural regions
1350
+ of Alberta, except the alpine subregion. They live
1351
+ in a wide range of wetlands in or near rivers, lakes
1352
+ or ponds.
1353
+ Behaviour: Muskrats spend much of their life in
1354
+ water but do not build dams, although occasionally
1355
+ live in active Beaver lodges. They are most active
1356
+ at night or near dawn or dusk. Muskrats live in a
1357
+ family group and each group has a house, a feeding
1358
+ area and canals through cattails and vegetation. In
1359
+ streams, ponds or lakes, they burrow into the bank
1360
+ and use an underwater entrance. In marshes, pushups are constructed in late fall from mud, pond
1361
+ weeds and cattails. In winter, push-ups cover a hole
1362
+ in the ice, which is kept open by continually
1363
+ chewing away the ice and pulling up underwater
1364
+ vegetation to build the insulated dome. Muskrats
1365
+ are prolific breeders; females can have 2-3 litters a
1366
+ year of 6-8 young. Their diet consists of 95% plants
1367
+ such as cattails and pond weeds. They also eat
1368
+ freshwater mussels, frogs, salamanders and small
1369
+ fish. Predators are mink, foxes, coyotes, lynx,
1370
+ wolves, bears, eagles, owls and hawks. Large
1371
+ predatory fish, such as northern pike, are known to
1372
+ take young kits.
1373
+ Conservation Status: Secure in AB
1374
+ 74
1375
+
1376
+
1377
+
1378
+ Western Deer Mouse Peromyscus
1379
+ sonoriensus
1380
+
1381
+ Size: The Western Deer Mouse body is 8-10 cm (34 in) long not including the tail, which averages 513 cm (2-5 in). It weighs 18-35 g (0.6- 1 oz).
1382
+ Description: Large beady black eyes and large
1383
+ ears give the Deer Mouse good sight and hearing.
1384
+ The colour of the fur varies from gray to red brown,
1385
+ but all deer mice have a white underside and white
1386
+ feet. The tail is long and multicoloured. They are
1387
+ very similar to the Eastern Deer Mouse.
1388
+ Habitat: The Western Deer Mouse is found
1389
+ throughout Alberta in forests, prairies and deserts,
1390
+
1391
+ 75
1392
+
1393
+
1394
+
1395
+ but it is not found where the ground is continually
1396
+ wet.
1397
+ Behaviour: This nocturnal mouse spends the day
1398
+ in its nest in its underground burrow or in brush
1399
+ piles, rocks, stumps or hollow trees. During the
1400
+ winter season, it can be found active on top of snow
1401
+ or beneath logs. Typically, females have 3-5 young
1402
+ in a litter 3-4 times a year. The Deer Mouse is
1403
+ omnivorous and eats seeds, fruits, spiders,
1404
+ caterpillars, leaves, fungi, and insects. Predators
1405
+ include snakes, owls, mink, marten, weasels,
1406
+ skunks, bobcat, coyote and foxes. Deer mice can be
1407
+ carriers of infectious diseases like hantavirus and
1408
+ lyme disease.
1409
+ Conservation Status: Secure in AB
1410
+
1411
+ 76
1412
+
1413
+
1414
+
1415
+ Meadow Jumping Mouse Zapus hudsonius
1416
+
1417
+ Size: The Meadow Jumping Mouse has a body
1418
+ length of 18-24 cm (7-9 in), including the tail
1419
+ measuring 11-17 cm (4-7 in) and has hind feet 3-4
1420
+ cm (1-1.4 in) long. The average adult weight is 18 g
1421
+ (0.6 oz).
1422
+ Description: This small, slender mouse has fur that
1423
+ is dense and coarse. A broad dark brown stripe is
1424
+ always present on its back, the sides are paler
1425
+ yellow and the underbody and feet are white. Its
1426
+ nose is short and pointy and its eyes are relatively
1427
+ big. The enlarged hind feet and short forefeet are
1428
+ distinctive characteristics.
1429
+ Habitat: In Alberta it is found in central and
1430
+ northern regions of the province. It prefers moist
1431
+ grasslands with thick vegetated areas usually near
1432
+ 77
1433
+
1434
+
1435
+
1436
+ streams, ponds and marshes. It avoids heavily
1437
+ wooded areas.
1438
+ Behaviour: The Meadow Jumping Mouse can
1439
+ jump 2-3 feet, which is a long distance for its size.
1440
+ It is a decent swimmer and will jump into water
1441
+ when in danger. When constructing its burrow, it is
1442
+ an excellent digger. On average 2-9 young are born
1443
+ in a litter, 2-3 times a year. It eats seeds primarily,
1444
+ but also berries, fruit and insects. Hibernation lasts
1445
+ from fall until spring. Predators include owls,
1446
+ foxes, hawks and weasels.
1447
+ Conservation Status: Secure in AB
1448
+
1449
+ 78
1450
+
1451
+
1452
+
1453
+ Western Jumping Mouse Zapus princeps
1454
+
1455
+ Size: The Western Jumping Mouse is 22-25 cm (910 in) in total length, the tail is 13-15 cm (5-6 in)
1456
+ long and the hind feet are 3-4 cm (1-2 in) long. It
1457
+ weighs 17-40 g (0.6-1.4 oz).
1458
+ Description: It has long hind-feet, short forelimbs
1459
+ and a long tail. The fur is coarse dark-gray brown
1460
+ over the the upper body, with a broad yellow to red
1461
+ band along the flanks and pale yellow-white
1462
+ underparts. Some have white spots on the upper
1463
+ body or on the tip of the tail.
1464
+ Habitat: This species of mouse is found in the
1465
+ central and south regions of Alberta. Mountainous
1466
+ terrain is inhabited as well as meadows and forests
1467
+
1468
+ 79
1469
+
1470
+
1471
+
1472
+ dominated by alder, aspen or willow, where there is
1473
+ dense vegetation close to fresh water.
1474
+ Behaviour: The Western Jumping Mouse is
1475
+ nocturnal but the feeding ground can be identified
1476
+ by small piles of grass stems stripped of their seeds
1477
+ and by the presence of clear runways strewn with
1478
+ grass clippings. It is an omnivore and eats seeds,
1479
+ herbs, fruits, fungi and insects. It hibernates 8-10
1480
+ months of the year subsisting on its fat reserves.
1481
+ Although it normally moves by making short hops
1482
+ and leaps, the leaps may reach 72 cm (28 in) along
1483
+ the ground and 30 cm (12 in) into the air. A litter of
1484
+ 4-8 pups is born once a year. Predators include
1485
+ bobcats, coyotes, weasels, skunks, raccoons, snakes
1486
+ and birds of prey.
1487
+ Conservation Status: Secure in AB
1488
+
1489
+ 80
1490
+
1491
+
1492
+
1493
+ Western Meadow Vole Microtus Drummondii
1494
+
1495
+ Size: The Western Meadow Vole has an average
1496
+ length of 16 cm (7 in) and weight of 37 g (1 oz).
1497
+ Description: It is compact and stocky with short
1498
+ legs and tail and a rounded muzzle and head. The
1499
+ fur is dark brown and velvety with a gray-coloured
1500
+ belly. It turns white in winter. Its broad feet have
1501
+ strong claws for digging in soil. These voles have
1502
+ short ears that barely protrude from the fur
1503
+ surrounding them.
1504
+ Habitat: It is present in all of Alberta but prefers
1505
+ moist, dense grasslands near streams, lakes, ponds
1506
+ and swamps. Overhead grass cover is essential.
1507
+ Behaviour: The Western Meadow Vole is active
1508
+ year-round, day or night because it has to eat
1509
+ 81
1510
+
1511
+
1512
+
1513
+ frequently. It is active the first few hours after dawn
1514
+ and during the 2-4 hour period before sunset. It digs
1515
+ burrows where it stores food for the winter and
1516
+ where females give birth to their young. A litter
1517
+ size is 4-6 pups with up to 4 litters per year. The
1518
+ diet consists of grasses, sedges, forbs, seeds, insects
1519
+ and snails. In winter, it eats green basal portions of
1520
+ grass plants, often hidden under snow. This vole is
1521
+ an important prey, especially in winter, for red
1522
+ foxes, coyotes, hawks, owls, snakes and weasels.
1523
+ Conservation Status: Secure in AB
1524
+
1525
+ 82
1526
+
1527
+
1528
+
1529
+ Southern Red-backed Vole Myodes gapperi
1530
+
1531
+ Size: This small, slender vole is 12-17 cm (5-7 in)
1532
+ long, with a tail measuring 4 cm (2 in). It weighs on
1533
+ average 21 g (1 oz).
1534
+ Description: The Southern Red-backed Vole has a
1535
+ short body with a reddish band along the back and a
1536
+ short, slim tail. The sides of the body and head are
1537
+ gray and the underparts are paler. It has a blunt
1538
+ nose and prominent rounded ears.
1539
+ Habitat: It is found throughout most of Alberta,
1540
+ excepting the southern region. Its habitat includes
1541
+ coniferous, deciduous and mixed forests, often near
1542
+ 83
1543
+
1544
+
1545
+
1546
+ wetlands. Forests, including mossy, rotten logs and
1547
+ stumps are preferred. It can also be found in aspen
1548
+ bluffs and shrubby vegetation.
1549
+ Behaviour: The Southern Red-backed Vole is
1550
+ active year-round, mostly at night. It uses runways
1551
+ through the surface growth in warm weather and
1552
+ uses tunnels through the snow in winter.
1553
+ Underground burrows made by other small animals
1554
+ are used. Being omnivorous, its diet includes green
1555
+ plants, fungi, seeds, nuts, roots, insects, snails and
1556
+ berries. Roots, bulbs and nuts are stored for later
1557
+ use. This little vole plays a positive role in the
1558
+ coniferous ecosystem since they disperse the native
1559
+ fungi that is necessary for the establishment and
1560
+ successful growth of conifers. Females have 2-4
1561
+ litters of 2-8 young in a year. Predators include
1562
+ coyotes, red fox, hawks, owls and mustelids, and
1563
+ are an important food source in winter.
1564
+ Conservation Status: Secure in AB
1565
+
1566
+ 84
1567
+
1568
+
1569
+
1570
+ Northern Bog Lemming Synaptomys borealis
1571
+
1572
+ Size: The Northern Bog Lemming averages 13 cm
1573
+ (5 in) in length and weighs about 30 g (1 oz). The
1574
+ short tail is only 2 cm (0.8 in) long.
1575
+ Description: It has a cylindrical shaped body
1576
+ covered with brown grizzled fur with pale gray
1577
+ underparts. A patch of rust coloured hair is seen at
1578
+ the base of the ears. It has small eyes and a blunt
1579
+ snout.
1580
+ Habitat: The Northern Bog Lemming is found
1581
+ throughout most of Alberta, except in the southeast
1582
+ corner of the province. Wet northern forests, bogs,
1583
+ tundra and meadows are typical of its habitat.
1584
+
1585
+ 85
1586
+
1587
+
1588
+
1589
+ Behaviour: This small rodent is active year-round
1590
+ day and night. It makes runways through the
1591
+ surface vegetation and also digs underground
1592
+ burrows. In winter, it burrows under the snow. The
1593
+ diet for this lemming consists of grasses, sedges,
1594
+ other green vegetation, mosses as well as snails and
1595
+ slugs. Females can have 2-3 litters of 4-6 young in
1596
+ only a 4 month breeding season. Predators include
1597
+ coyotes, red fox, owls, hawks, weasels and snakes.
1598
+ Conservation Status: Secure in AB
1599
+
1600
+ 86
1601
+
1602
+
1603
+
1604
+ Geomyidae (Pocket Gophers)
1605
+ Northern Pocket Gopher
1606
+
1607
+ 87
1608
+
1609
+
1610
+
1611
+ Northern Pocket Gopher Thomomys
1612
+ talpoides
1613
+
1614
+ Size: The Northern Pocket Gopher on average
1615
+ weighs 110 g (4 oz) and has a body length of 20 cm
1616
+ (8 in).
1617
+ Description: It has a thick body and neck, short fur
1618
+ and small eyes and ears. The fur colour is often rich
1619
+ brown or yellow brown, but also can be gray with
1620
+ white markings under the chin. It is named for its
1621
+ large, external, fur lined cheek pouches used to
1622
+ carry food and nesting materials. Long curved
1623
+ claws on 3 digits of its forepaws are used for
1624
+ digging.
1625
+ Habitat: It is the most commonly found true
1626
+ gopher in Alberta, using fields, prairie and alpine
1627
+ 88
1628
+
1629
+
1630
+
1631
+ meadows with good soil. The animal usually called
1632
+ a gopher in Alberta is Richardson’s Ground
1633
+ Squirrel, but it isn’t a true gopher.
1634
+ Behaviour: This nocturnal, burrowing, nonhibernating rodent rarely appears above ground;
1635
+ when it does, it rarely ventures far from a burrow
1636
+ entrance. Underground however, it has tunnels that
1637
+ extend hundreds of feet where it lives, stores food
1638
+ and mates. Food consists of underground plant
1639
+ parts and leaves of forbs. A litter has 5-6 young.
1640
+ Predators include badgers, coyotes, weasels,
1641
+ snakes, skunks and owls. To find where a northern
1642
+ pocket gopher lives, look for the crescent shaped
1643
+ mound of dirt in front of a burrow.
1644
+ Conservation Status: Secure in AB
1645
+
1646
+ 89
1647
+
1648
+
1649
+
1650
+ Soricidae (Shrews)
1651
+ Arctic Shrew
1652
+ Masked Shrew
1653
+ Pygmy Shrew
1654
+
1655
+ 90
1656
+
1657
+
1658
+
1659
+ Arctic Shrew Sorex arcticus
1660
+
1661
+ Size: The body length of the Arctic Shrew ranges
1662
+ from 10-12 cm (4-5 in) including a 4 cm (2 in) long
1663
+ tail. It weighs 5-13 g (0.2-0.5 oz).
1664
+ Description: The Arctic Shrew is most distinctive
1665
+ in its tri-coloured fur. It is dark brown or black on
1666
+ its back, lighter brown on its flanks and lighter still
1667
+ gray-brown on its underside. The fur is grayer in
1668
+ winter. The head is long with a pointed nose and
1669
+ the eyes and ears are very small.
1670
+ Habitat: The Arctic Shrew is present in the central
1671
+ and northern regions of Alberta. This shrew is
1672
+ found in greatest quantity and density near bodies
1673
+ of water such as lakes, streams, marshes and
1674
+ 91
1675
+
1676
+
1677
+
1678
+ wetlands, in dense grasses, alder thickets and in the
1679
+ undergrowth of forest clearings.
1680
+ Behaviour: The Arctic Shrew is solitary, territorial
1681
+ and active day and night. It has a voracious appetite
1682
+ due to its quick metabolism and eats insects, worms
1683
+ and small invertebrates. The female gives birth to
1684
+ 1-2 litters each year ranging in size from 4-10
1685
+ offspring. The only known predators are owls.
1686
+ Conservation Status: Secure in AB
1687
+
1688
+ 92
1689
+
1690
+
1691
+
1692
+ Masked Shrew Sorex cinereus
1693
+
1694
+ Size: The Masked Shrew, also called the common
1695
+ shrew, is about 9 cm (4 in) in length, including a 4
1696
+ cm (2 in) long tail. It weighs about 5 g (0.2 oz). It is
1697
+ one of the smallest mammals on earth.
1698
+ Description: The fur of the Masked Shrew is graybrown in colour with a light gray underside. It has a
1699
+ pointed elongated snout, small eyes and a long tail.
1700
+ Habitat: It can be found in all of Alberta and is
1701
+ common in poplar forests and meadows. Moisture
1702
+ determines the abundance of this shrew so it mostly
1703
+ lives in humid areas with high levels of vegetation
1704
+ to hide in.
1705
+ 93
1706
+
1707
+
1708
+
1709
+ Behaviour: This small shrew is active day and
1710
+ night, year-round. It digs tunnels but also uses
1711
+ existing tunnels where dry grass is used to make a
1712
+ nest. One litter of 6-7 young is born during the
1713
+ breeding season. The diet consists of insects,
1714
+ worms, snails, small rodents, salamanders and
1715
+ seeds. These shrews have to eat almost constantly
1716
+ because of a very high metabolism. They can only
1717
+ survive a couple of hours without food. Predators
1718
+ include larger shrews, hawks, owls, shrikes, snakes,
1719
+ herons, foxes, leopard frog, bluebird, brown trout
1720
+ and weasels.
1721
+ Conservation Status: Secure in AB
1722
+
1723
+ 94
1724
+
1725
+
1726
+
1727
+ Pygmy Shrew Sorex hoyi
1728
+
1729
+ Size: The Pygmy Shrew is tiny. It is the smallest
1730
+ mammal native to N. America with a body about 5
1731
+ cm (2 in) long including a 2 cm (0.8 in) tail. It
1732
+ weighs about 2-5 g (0.7-0.17 oz).
1733
+ Description: Its fur is a reddish or grayish brown
1734
+ during the summer and a white-gray colour during
1735
+ the winter. The underside is a lighter gray. It has a
1736
+ narrow head, pointed nose and small eyes that are
1737
+ well hidden.
1738
+ 95
1739
+
1740
+
1741
+
1742
+ Habitat: The pygmy shrew is found throughout the
1743
+ boreal areas of Alberta except for the south-east
1744
+ corner of the province. It lives in moist or dry
1745
+ conditions in the grassy opening within the forest,
1746
+ as well as the shrubby borders of bogs and wet
1747
+ meadows.
1748
+ Behaviour: Due to its fast metabolism, it has an
1749
+ extremely large appetite and is active all year round
1750
+ even burrowing through snow. To stay alive, it has
1751
+ to eat 3 times its body weight daily which means
1752
+ capturing prey every 15-30 min., day and night.
1753
+ With a good sense of smell and hearing, it digs
1754
+ through soil and leaf litter to search for food,
1755
+ mostly insects and insect larvae. A litter of 3-8
1756
+ young are born once a year. This shrew swims
1757
+ making it a prey for trout. Other predators include
1758
+ hawks, owls and snakes.
1759
+ Conservation Status: Secure in AB
1760
+
1761
+ 96
1762
+
1763
+
1764
+
1765
+ Leporidae (Hares)
1766
+ Snowshoe Hare
1767
+ White-tailed Jackrabbit
1768
+
1769
+ 97
1770
+
1771
+
1772
+
1773
+ Snowshoe Hare Lepus americanus
1774
+
1775
+ Size: The adult Snowshoe Hare measures 41-52 cm
1776
+ (16-20 in) in total body length with a tail 4-5 cm
1777
+ (1.5-2 in) long. It weighs about 1.5 kg (2-4 lb).
1778
+ Description: The Snowshoe Hare has very broad
1779
+ hind feet which prevent the animal from sinking
1780
+ into the snow. The feet also have fur on the soles to
1781
+ protect them from freezing temperatures. In
1782
+ summer, the fur colour is grizzled reddish or gray
1783
+ brown, while in winter, its coat turns completely
1784
+ white except for black tips on the ears.
1785
+ Habitat: It is widely distributed across almost all
1786
+ of Alberta except for the southernmost region. It
1787
+ inhabits boreal forests preferably with a dense
1788
+ shrub layer, as well as treed coulees and river
1789
+ 98
1790
+
1791
+
1792
+
1793
+ bottoms of the prairies. It is also found in towns
1794
+ and cities.
1795
+ Behaviour: This hare is primarily nocturnal and
1796
+ spends most of the day in a form, a shallow
1797
+ depression in the ground. In summer, the snowshoe
1798
+ hare eats grasses and forbs, while in winter, it eats
1799
+ the buds, bark and branches of shrubs and small
1800
+ trees. A litter of about 4 young are born to each doe
1801
+ from April into summer. Does may have as many
1802
+ as 4 litters in a year. Predators include lynx,
1803
+ martens, long-tailed weasels, minks, foxes, coyotes,
1804
+ owls, hawks, eagles, crows, ravens and black bears.
1805
+ Conservation Status: Secure in AB
1806
+
1807
+ 99
1808
+
1809
+
1810
+
1811
+ White-tailed Jackrabbit Lepus Townsendii
1812
+
1813
+ Size: White-tailed Jackrabbits measure 56-65 cm
1814
+ (22-26 in) in length, including the tail 7-10 cm (3-4
1815
+ in). They weigh between 3-4 kg (6-10 lb).
1816
+ Description: The fur colour of the White-tailed
1817
+ Jackrabbit is dark brown or gray-brown with pale
1818
+ gray underparts. The large ears are distinctive with
1819
+ black tips. The tail is white with a dark central
1820
+ stripe above. They moult in autumn and become
1821
+ white all over except for the ears. They have long,
1822
+ powerful hind legs and are excellent at running.
1823
+
1824
+ 100
1825
+
1826
+
1827
+
1828
+ Habitat: This is Alberta’s largest hare and is found
1829
+ throughout the province, including in towns and
1830
+ cities. They live on plains, prairie and in alpine
1831
+ meadows with scattered coniferous trees. The urban
1832
+ environment provides more places to hide and more
1833
+ food with a good variety of plants.
1834
+ Behaviour: It is nocturnal and lies up during the
1835
+ day in a form, a shallow depression in the ground
1836
+ hidden under vegetation. It feeds on grasses, green
1837
+ plants and cultivated crops. In winter, it feeds on
1838
+ dry grass, twigs and bark on low shrubs. It has good
1839
+ eyesight, excellent hearing and can run up to 55
1840
+ km/h (34 mph) and leap up to 5 m (16 ft). A litter
1841
+ of 4-5 leverets is born in spring-summer. Predators
1842
+ include foxes, badgers, coyotes, bobcats, snakes,
1843
+ eagles, hawks and owls.
1844
+ Conservation Status: Secure in AB
1845
+
1846
+ 101
1847
+
1848
+
1849
+
1850
+ Vespertilionidae (Evening bats)
1851
+ Little Brown Bat
1852
+ Big Brown Bat
1853
+ Hoary Bat
1854
+ Northern Long-eared Bat
1855
+ Silver-haired Bat
1856
+
1857
+ 102
1858
+
1859
+
1860
+
1861
+ Little Brown Bat Myotis lucifugus
1862
+
1863
+ Size: The Little Brown Bat is a small species with
1864
+ weight at 6-13 g (0.2-0.4 oz), body length at 8-10
1865
+ cm (3-4”) and wingspan at 22-27 cm (9-11”).
1866
+ Description: The fur colour of this bat ranges from
1867
+ pale tan to red or dark brown and is glossy in
1868
+ appearance. The belly fur is a lighter colour. It has
1869
+ a short snout, small eyes and long ears.
1870
+ Habitat: Alberta’s most common bat, the Little
1871
+ Brown Bat is found across the province, including
1872
+ farms, towns and cities.
1873
+ Behaviour: This bat is nocturnal, foraging for its
1874
+ insect prey at night and roosting in tree hollows,
1875
+ rocky outcrops, caves and human structures during
1876
+ 103
1877
+
1878
+
1879
+
1880
+ the day. It navigates using echolocation along the
1881
+ edges of vegetated habitat, bodies of water or
1882
+ streams and eats mosquitos, spiders, beetles, moths
1883
+ and various flies. It can consume 600-1000
1884
+ mosquitoes or other flying bugs per hour and will
1885
+ eat more than half its own body weight each night.
1886
+ Some of these bats hibernate in caves or old mines
1887
+ locally, however, others migrate to the northern US.
1888
+ The litter size is one pup per year. Predators
1889
+ include hawks, owls and snakes. The little brown
1890
+ bat is susceptible to rabies and white nose
1891
+ syndrome (an introduced fungus), which has caused
1892
+ a heavy decline in the population of many bat
1893
+ species.
1894
+ Conservation Status: May be at Risk in AB
1895
+
1896
+ 104
1897
+
1898
+
1899
+
1900
+ Big Brown Bat Eptesicus fuscus
1901
+
1902
+ Size: The big brown bat weighs 15-25 g (0.5-0.8
1903
+ oz), has a body length of 11-13 cm (4-5 in) and a
1904
+ wingspan measuring 30 cm (12 in).
1905
+ Description: The fur of this bat is red brown with
1906
+ the upper side being darker than the underside. The
1907
+ rounded snout is flattened looking and the ears are
1908
+ short with rounded black tips. The flight
1909
+ membranes are black and hairless.
1910
+ Habitat: The big brown bat is probably the most
1911
+ common bat in southern Alberta while the number
1912
+ 105
1913
+
1914
+
1915
+
1916
+ of individuals declines in the northern regions.
1917
+ These bats roost in colonies within a small local
1918
+ area and usually forage within 3-4 km of their day
1919
+ roost.
1920
+ Behaviour: The big brown bat is nocturnal,
1921
+ roosting in sheltered places during the day. Roosts
1922
+ include tree cavities, wood piles, rock crevices,
1923
+ caves and buildings. Although little is known about
1924
+ their hibernation in Alberta, the number of big
1925
+ brown bats found in Edmonton is greater in winter
1926
+ than in summer. It is thought that the bats move
1927
+ into the city to use old warehouses, where
1928
+ temperatures remain just above freezing. Their diet
1929
+ consists of a diverse array of night flying insects,
1930
+ especially beetles. This bat is a significant predator
1931
+ of agricultural pests. One pup per female is born
1932
+ from May to June. Known predators include
1933
+ common grackles, American kestrels, owls and
1934
+ long-tailed weasels. These bats are relatively
1935
+ resistant to white nose syndrome.
1936
+ Conservation Status: Secure in AB
1937
+
1938
+ 106
1939
+
1940
+
1941
+
1942
+ Hoary Bat Aeorestes cinereus
1943
+
1944
+ Size: The largest bat in Canada averages 13-15 cm
1945
+ (5-6 in) long, with a 40 cm (16 in) wingspan and a
1946
+ weight of 26 g (0.9 oz).
1947
+ Description: The coat of the Hoary Bat is dense
1948
+ and gray-brown with white tips to the hairs like
1949
+ “hoar-frost”. The body is covered in fur except for
1950
+ the undersides of the wings.
1951
+ Habitat: The Hoary Bat is found all over Alberta.
1952
+ It prefers woodland, mainly coniferous forests, but
1953
+ 107
1954
+
1955
+
1956
+
1957
+ hunts over open areas or lakes. It migrates long
1958
+ distances and spends the winter in the southwestern
1959
+ US and Central America, although some stay and
1960
+ hibernate.
1961
+ Behaviour: The hoary bat normally roosts alone on
1962
+ trees, hidden in the foliage, but on occasion has
1963
+ been seen in caves with other bats. It hunts alone
1964
+ for its main food source, moths. It also eats wasps,
1965
+ beetles and dragonflies. It can cover an impressive
1966
+ 39 km (24 mi) each night while foraging. The
1967
+ female usually bears one or two pups in June.
1968
+ While not listed as threatened or endangered, hoary
1969
+ bats suffer significant mortality from wind turbines,
1970
+ mostly during migration.
1971
+ Conservation Status: Secure in AB
1972
+
1973
+ 108
1974
+
1975
+
1976
+
1977
+ Northern Long-eared Bat Myotis
1978
+ septentrionalis
1979
+
1980
+ Size: The Northern Long-eared Bat is a small bat
1981
+ that measures an average of 9 cm (3-4 in) in total
1982
+ length, including a tail 4 cm (2 in) long. It weighs
1983
+ between 5-8 g (0.2-0.3 oz) and has a wingspan of
1984
+ 25 cm (10 in).
1985
+ Description: The fur and wing membranes of this
1986
+ small bat are light brown. It has long, pointed ears
1987
+ and when folded forwards, the ears extend well past
1988
+ the nose. It also has a long tail and a larger wing
1989
+ 109
1990
+
1991
+
1992
+
1993
+ area than most comparably sized bats, giving it
1994
+ increased maneuverability during slow flight.
1995
+ Habitat: The Northern Long-eared Bat is found
1996
+ mostly in eastern North America in mature forests.
1997
+ It is relatively rare in the Alberta.
1998
+ Behaviour: This bat roosts in cracks, hollows or
1999
+ under the bark of deciduous trees in summer and
2000
+ migrates to caves in winter. It uses echolocation to
2001
+ navigate through cluttered forests. Most foraging
2002
+ occurs in the first hours of dawn and dusk, when it
2003
+ eats insects, with moths being its favourite. Most
2004
+ unusually, it can perch and pluck insects from a
2005
+ surface. Females give birth to a single pup in May.
2006
+ Climate change, forestry practices and the potential
2007
+ of white-nose syndrome coming into the province
2008
+ may put this species at risk.
2009
+ Conservation Status: May be at Risk in AB
2010
+
2011
+ 110
2012
+
2013
+
2014
+
2015
+ Silver-haired Bat Lasionycteris noctivagans
2016
+
2017
+ Size: The length of body of the Silver-haired Bat is
2018
+ 10 cm (4”), the weight is 8-12 g (0.3-0.4 oz) and
2019
+ notably, its wingspan is up to 30 cm (12”).
2020
+ Description: This medium sized bat is nearly black
2021
+ with white tipped hairs on its back. Its flight pattern
2022
+ is slow and leisurely, often close to the ground.
2023
+ Habitat: It is found primarily in forested areas in
2024
+ central and southern Alberta, although it appears to
2025
+ be present in southern Alberta only during the
2026
+ spring and fall migrations.
2027
+ Behaviour: The Silver-haired Bat uses tree roosts
2028
+ in summer. It may be found alone or in small
2029
+ groups under bark, in abandoned bird’s nests, in
2030
+ hollow trees, or hanging upside down among the
2031
+ leaves throughout the forests in central Alberta. The
2032
+ 111
2033
+
2034
+
2035
+
2036
+ litter size is 2 young per female. Owing to its
2037
+ solitary nature and avoidance of humans, little is
2038
+ known about Silver-haired Bats in Alberta. It is
2039
+ known to be a strong flier during migration,
2040
+ however, this species experiences mortality at wind
2041
+ energy projects. It is relatively resistant to white
2042
+ nose syndrome.
2043
+ Conservation Status: Sensitive in AB
2044
+
2045
+ 112
2046
+
2047
+
2048
+
2049
+ REPTILIA
2050
+
2051
+ Colubridae (Rear-fanged snakes)
2052
+ Red-sided Garter Snake
2053
+ Western Terrestrial Garter Snake
2054
+ Plains Garter Snake
2055
+
2056
+ 113
2057
+
2058
+
2059
+
2060
+ Red-sided Garter Snake Thamnophis sirtalis
2061
+ parietalis
2062
+
2063
+ Size: Common or Red-sided Garter Snakes are thin
2064
+ and about 1.2 m (4 ft.) long.
2065
+ Description: Most have longitudinal stripes of red,
2066
+ green, blue, yellow, gold, orange, brown or black
2067
+ on an olive background. Red markings are present
2068
+ between the stripes.
2069
+ Habitat: They are found in marshes, bogs,
2070
+ wetlands, ponds and forests. Mating occurs just
2071
+ before hibernation. Some males mimic a female
2072
+ role to lure away other males when they outnumber
2073
+ females. Females may delay fertilization by storing
2074
+ the sperm internally until spring. They give birth to
2075
+ 12-40 live young between July and October.
2076
+
2077
+ 114
2078
+
2079
+
2080
+
2081
+ Behaviour: In summer they are most active in the
2082
+ morning and afternoon. They hibernate in common
2083
+ dens, emerging to bask in the sun. The saliva
2084
+ contains mild venom that is toxic to amphibians.
2085
+ For humans it might cause itching and swelling. If
2086
+ disturbed, they might secrete a foul-smelling fluid.
2087
+ Garter snakes feed on amphibians, earthworms,
2088
+ fish, small birds and rodents. They are prey for
2089
+ larger fish, bullfrogs, snapping turtles, hawks,
2090
+ racoons and foxes.
2091
+ Conservation Status: Sensitive in AB.
2092
+
2093
+ 115
2094
+
2095
+
2096
+
2097
+ Western Terrestrial Garter Snake
2098
+ Thamnophis elegans vagrans
2099
+
2100
+ Size: These medium sized snakes are usually 46104 cm (18-41 in.) long.
2101
+ Description: The body is brown, grey or greenish
2102
+ with a yellow, light orange or white dorsal stripe
2103
+ and 2 side stripes of the same colour. It is an
2104
+ immensely variable species, and even the most
2105
+ experienced herpetologists have trouble when it
2106
+ comes to identification.
2107
+ Habitat: Terrestrial Garter Snakes are found in
2108
+ grasslands and woodlands and prefer wetland
2109
+ habitats to hunt and hide. They mate in spring
2110
+ producing live young in litters of 1-24, from July to
2111
+ 116
2112
+
2113
+
2114
+
2115
+ September. Newborns are 17-23cm (7-9.5in) long.
2116
+ No parental care is given.
2117
+ Behaviour: This species has a mild venomous
2118
+ saliva that immobilises prey but is harmless to
2119
+ humans. They constrict prey but rather
2120
+ inefficiently. If harassed, they may emit a repulsive
2121
+ secretion from their rear end. They eat soft bodied
2122
+ invertebrates, frogs, mice and fish.
2123
+ Conservation Status: Sensitive in AB.
2124
+
2125
+ 117
2126
+
2127
+
2128
+
2129
+ Plains Garter Snake Thamnophis radix
2130
+
2131
+ Size: Plains garter snakes average 0.91 m (3 ft.) in
2132
+ length.
2133
+ Description: This slender snake is greenish to grey
2134
+ olive or brown with an orange or yellow stripe
2135
+ down its back and black bars on its lip. Lateral
2136
+ stripes are greenish yellow. The belly is grey-green
2137
+ with small dark spots along the edges and the head
2138
+ has distinctive light yellow spots on top.
2139
+ Habitat: These garter snakes are commonly found
2140
+ near streams and ponds and in urban areas. Mating
2141
+ occurs in April and May near the communal
2142
+ hibernation site, 5-40 young are born alive from
2143
+ July on and are about 18cm (7in) long.
2144
+ 118
2145
+
2146
+
2147
+
2148
+ Behaviour: Their diet consists of earthworms,
2149
+ slugs and amphibian larvae and small mammals
2150
+ and birds. They are most active from April to late
2151
+ October and then hibernate in communal sites –
2152
+ sink holes, burrows or rocks. They are cold tolerant
2153
+ snakes that emerge to bask on sunny winter days.
2154
+ When harassed they rarely bite, but writhe to
2155
+ escape and emit a foul smelling secretion.
2156
+ Conservation Status: Sensitive in AB.
2157
+
2158
+ 119
2159
+
2160
+
2161
+
2162
+ AMPHIBIA
2163
+
2164
+ Ambystomatidae (Mole
2165
+ Salamanders)
2166
+ Western (Barred) Tiger
2167
+ Salamander
2168
+
2169
+ 120
2170
+
2171
+
2172
+
2173
+ Western Tiger Salamander Ambystoma
2174
+ mavortium
2175
+
2176
+ Size: The Western or Barred Tiger Salamander is
2177
+ the largest terrestrial salamander in North America,
2178
+ from 15 to 22cm (6-9in) - even up to 30cm (12”)
2179
+ long.
2180
+ Description: It has a broad head and a sturdy body.
2181
+ The back is grey, dark brown or black with muddy
2182
+ yellow markings giving a tiger-like appearance.
2183
+ The belly is light to dark. Salamanders are an
2184
+ extremely variable, and hence, complex group of
2185
+ species with a lot of variability amongst and
2186
+ between species. They are found from southwestern
2187
+ Canada in British Columbia, Alberta,
2188
+ Saskatchewan, and Manitoba, south through the
2189
+ 121
2190
+
2191
+
2192
+
2193
+ western United States to Texas and northern
2194
+ Mexico.
2195
+ Habitat: They inhabit forests, fields, meadows or
2196
+ grasslands. Adults spend most of their time
2197
+ underground.
2198
+ Breeding throughout the year they gather by ponds
2199
+ for spawning. Females lay eggs in water. The
2200
+ larvae hatch in 19-50 days and have external gills.
2201
+ Some retain their gills into adulthood. Western
2202
+ Tiger Salamanders can live up to 15 years.
2203
+ Behaviour: Mostly active at night, these
2204
+ Salamanders are opportunistic feeders, and will
2205
+ often eat anything they can catch, including various
2206
+ insects, slugs, and earthworms. They are primarily
2207
+ terrestrial as adults, but their juvenile larval stage is
2208
+ entirely aquatic, having external gills. Predators
2209
+ include fish, dragonfly nymphs, predacious diving
2210
+ beetles, many birds and most carnivores.
2211
+ Conservation Status: Secure in AB. There has
2212
+ been some decline in numbers due to deforestation
2213
+ and habitat loss and the introduction of non-native
2214
+ predatory fish. However, the population in most of
2215
+ the prairie provinces is secure.
2216
+
2217
+ 122
2218
+
2219
+
2220
+
2221
+ Bufonidae (Toads)
2222
+
2223
+ 123
2224
+
2225
+
2226
+
2227
+ Western Toad Anaxyrus boreas
2228
+
2229
+ Size: A large species, the Western Toad is 5.6 cm –
2230
+ 13 cm (2.2– 5 in.) long.
2231
+ Description: They have a white and cream back
2232
+ stripe on dusky grey and greenish skin and a pale
2233
+ belly with dark mottling. The salivary glands are
2234
+ on the sides of the head and oval in shape, the
2235
+ pupils are horizontal and they lack cranial crests.
2236
+ Habitat: Western toads are terrestrial, controlling
2237
+ their body temperature by basking in sun and
2238
+ evaporative cooling. They spend daylight hours
2239
+ 124
2240
+
2241
+
2242
+
2243
+ beneath the forest floor or in the water and are
2244
+ mostly active at night. Unlike most toads, they walk
2245
+ rather than jump. Their diet consists of bees,
2246
+ beetles, ants and spiders, slugs and worms.
2247
+ Behaviour: These toads are found near ponds and
2248
+ streams and are active from April to September.
2249
+ Breeding occurs in shallow ponds with sandy
2250
+ bottoms. The male call is a soft peeping sound.
2251
+ Females lay eggs in gelatinous masses of up to
2252
+ 16,500 per clutch, beneath submerged vegetation
2253
+ for protection. The eggs hatch as tadpoles in 3 – 12
2254
+ days and are fully formed as adults within 3
2255
+ months. Juvenile toads become mature in 2 – 3
2256
+ years. Predators include fish, dragonfly nymphs,
2257
+ predacious diving beetles, many birds and most
2258
+ carnivores.
2259
+ Conservation Status: Sensitive in AB.
2260
+
2261
+ 125
2262
+
2263
+
2264
+
2265
+ Canadian Toad Anaxyrus hemiophrys
2266
+
2267
+ Size: Canadian Toads are usually 5-7 cm (2-3 in.)
2268
+ in length, with females being the longer.
2269
+ Description: These toads are brown with a
2270
+ yellowish line down the centre of their back and
2271
+ rows of brown spots on each side with reddish
2272
+ warts. The belly is whitish spotted with grey. The
2273
+ salivary glands (that secrete toxins) are large oval
2274
+ and meet the skull crests that form between the
2275
+ eyes. Projections on the hind feet are used for
2276
+ burrowing.
2277
+ Habitat: Found near ponds and lakes in prairies,
2278
+ aspen and boreal forests, Canadian toads are
2279
+ 126
2280
+
2281
+
2282
+
2283
+ terrestrial, taking to water to avoid capture. They
2284
+ hibernate in the fall by burrowing into the earth,
2285
+ emerging when the soil thaws. Adults feed on
2286
+ worms, beetles and ants and can live up to 7-12
2287
+ years.
2288
+ Behaviour: Males call to initiate breeding with a
2289
+ brief trill. This occurs in ponds from May to July.
2290
+ Females lay up to 6000 eggs in long strings, which
2291
+ hatch into tiny black tadpoles in 3-12 days. Feeding
2292
+ on aquatic vegetation, over 7-11 weeks they
2293
+ transform into juveniles. Males reach maturity after
2294
+ 1 year and females after 2 years. Predators include
2295
+ fish, dragonfly nymphs, predacious diving beetles,
2296
+ many birds and most carnivores.
2297
+ Conservation Status: May be at risk. Once
2298
+ common in boreal and parkland habitats, dramatic
2299
+ declines in populations and distributions are
2300
+ occurring, but population monitoring is ongoing.
2301
+ Habitats are threatened by drought, conversion to
2302
+ farm land, agricultural chemicals, and oil and gas
2303
+ activities.
2304
+
2305
+ 127
2306
+
2307
+
2308
+
2309
+ Hylidae (Tree Frogs)
2310
+ Boreal Chorus Frog
2311
+
2312
+ 128
2313
+
2314
+
2315
+
2316
+ Boreal Chorus Frog Pseudacris maculata
2317
+
2318
+ Size: Alberta’s smallest amphibian, the Boreal
2319
+ Chorus Frog, is only 2-4 cm (0.8-1.6 in.) long.
2320
+ Description: Also called the Striped Chorus Frog it
2321
+ is brown or green with 3 broken back stripes
2322
+ (distinct or faint). There is a stripe through the eye
2323
+ and along the side. Slightly enlarged toe pads aid in
2324
+ climbing small grasses but they are not good
2325
+ climbers. The legs are shorter than those of the
2326
+ western chorus frog.
2327
+ 129
2328
+
2329
+
2330
+
2331
+ Habitat: They feed on a variety of invertebrates
2332
+ including snails and insects.
2333
+ Behaviour: This species is found around
2334
+ permanent water bodies in cleared land and forests;
2335
+ also in sloughs and open meadows with sufficient
2336
+ cover and moisture. Breeding occurs annually from
2337
+ February to April. After mating a single female can
2338
+ lay 500-1500 eggs, in masses of jelly attached to
2339
+ vegetation in shallow water. The eggs hatch in 1014 days and tadpoles become juvenile frogs in 2
2340
+ months. They reach maturity the next summer.
2341
+ Predators include fish, dragonfly nymphs, many
2342
+ birds and most carnivores.
2343
+ Conservation Status: Secure in AB.
2344
+
2345
+ 130
2346
+
2347
+
2348
+
2349
+ Ranidae (True Frogs)
2350
+ Wood Frog
2351
+ Northern Leopard Frog
2352
+
2353
+ 131
2354
+
2355
+
2356
+
2357
+ Wood Frog Lithobates sylvatica
2358
+
2359
+ Size: The smallest true frog in Alberta, the wood
2360
+ frog is 5-7 cm (2-2.8 in.) long.
2361
+ Description: They are brown, tan or rust with a
2362
+ light back stripe and dark eye mask. The belly is
2363
+ yellow or green and the hind legs are striped. The
2364
+ smooth skin may have prominent ridges and warts
2365
+ high on the sides.
2366
+ Habitat: Wood frogs eat a variety of invertebrates,
2367
+ including worms and insects, with tadpoles grazing
2368
+ on algae and plant detritus. Movement of prey
2369
+ triggers the frog to lunge, open its mouth and make
2370
+
2371
+ 132
2372
+
2373
+
2374
+
2375
+ contact with the tip of the tongue only. They leap to
2376
+ escape predators.
2377
+ Behaviour: Wood frogs are found in moist
2378
+ woodlands, forested swamps, ravines and bogs.
2379
+ They overwinter in upland areas beneath the soil
2380
+ and leaf litter. They can tolerate the freezing of
2381
+ their blood and tissues utilising urea and glucose as
2382
+ antifreeze. Breeding occurs from late April to June.
2383
+ Males have a duck-like call. Females deposit eggs
2384
+ on submerged vegetation next to other egg masses
2385
+ for protection in shallow clear temporary ponds.
2386
+ The eggs hatch after 3 weeks and become juvenile
2387
+ frogs in 6-12 weeks. Most wood frogs only breed
2388
+ once in their lifetime. Predators include fish,
2389
+ dragonfly nymphs, predacious diving beetles, many
2390
+ birds and most carnivores.
2391
+ Conservation Status: Secure in AB.
2392
+
2393
+ 133
2394
+
2395
+
2396
+
2397
+ Northern Leopard Frog Lithobates pipiens
2398
+
2399
+ Size: This large frog species can be 11 cms (4.3 in.)
2400
+ long.
2401
+ Description: It is green or brown with circular dark
2402
+ spots bordered by light rings on its back, sides and
2403
+ legs. A pair of light folds run from behind the eyes
2404
+ and down the back, with a pale stripe under each
2405
+ eye across to the shoulders. The belly is pale. The
2406
+ iris is golden with a black horizontal pupil. The toes
2407
+ are webbed.
2408
+
2409
+ 134
2410
+
2411
+
2412
+
2413
+ Habitat: Found in ponds, swamps, marches and
2414
+ streams with abundant vegetation. In summer they
2415
+ move to grassy areas.
2416
+ Behaviour: These frogs eat anything that will fit
2417
+ into their mouths, including crickets, worms and
2418
+ flies. They are preyed on by herons, snakes, turtles
2419
+ and fish, and are used in medical research. Leopard
2420
+ frogs breed in spring. Males make a short snorelike call to attract females. Up to 6,500 eggs are
2421
+ laid in water. These hatch after 9 days and
2422
+ metamorphosis is complete in 70-110 days. The
2423
+ juveniles are 2-3 cm (0.8-1.2 in.) long and resemble
2424
+ adults. They may live for up to 4 years.
2425
+ Conservation Status: At risk in AB. This species
2426
+ has severely declined since the late 1970s.
2427
+ Previously common and widespread, it has
2428
+ disappeared from most of its Alberta range. It may
2429
+ still occur around Big Lake, but most of the
2430
+ breeding population in the southeast of the
2431
+ province. The protection of remnant breeding areas
2432
+ is essential.
2433
+
2434
+ 135
2435
+
2436
+
2437
+
2438
+ Photography Credits
2439
+ Photograph
2440
+
2441
+ Page
2442
+
2443
+ Photographer
2444
+
2445
+ Male moose
2446
+
2447
+ Cover
2448
+
2449
+ Dave Conlin
2450
+
2451
+ Park Sign
2452
+
2453
+ 4
2454
+
2455
+ Miles Constable
2456
+
2457
+ Park Map
2458
+
2459
+ 5
2460
+
2461
+ Google Inc.
2462
+
2463
+ Coyote
2464
+
2465
+ 11
2466
+
2467
+ Tim Osborne
2468
+
2469
+ Gray Wolf
2470
+
2471
+ 13
2472
+
2473
+ Calgary Zoo
2474
+
2475
+ Red Fox
2476
+
2477
+ 15
2478
+
2479
+ Dave Conlin
2480
+
2481
+ Black Bear
2482
+
2483
+ 18
2484
+
2485
+ Dave Conlin
2486
+
2487
+ Lynx
2488
+
2489
+ 21
2490
+
2491
+ Wolverine
2492
+
2493
+ 24
2494
+
2495
+ Badger
2496
+
2497
+ 26
2498
+
2499
+ Nick Parayko
2500
+
2501
+ Marten
2502
+
2503
+ 28
2504
+
2505
+ Tim Gage via Creative
2506
+ Commons
2507
+
2508
+ Mink
2509
+
2510
+ 30
2511
+
2512
+ Dave Conlin
2513
+
2514
+ Fisher
2515
+
2516
+ 32
2517
+
2518
+ Least Weasel
2519
+
2520
+ 34
2521
+
2522
+ Long-tailed Weasel
2523
+
2524
+ 36
2525
+
2526
+ Short-tailed Weasel
2527
+
2528
+ 38
2529
+
2530
+ Striped Skunk
2531
+
2532
+ 41
2533
+
2534
+ Racoon
2535
+
2536
+ 44
2537
+
2538
+ 136
2539
+
2540
+ Government of the
2541
+ Northwest Territories
2542
+ Mathias Kabel via Creative
2543
+ Commons
2544
+
2545
+ Larry Master
2546
+ (masterimages.org)
2547
+ Kevin Law via Creative
2548
+ Commons
2549
+ U.S. National Park Service
2550
+ via Creative Commons
2551
+ U.S. Fish and Wildlife
2552
+ Service via Creative
2553
+ Commons
2554
+ Tom Friedel via Creative
2555
+ Commons
2556
+ Dave Conlin
2557
+
2558
+
2559
+
2560
+ Female moose
2561
+
2562
+ 47
2563
+
2564
+ Tim Osborne
2565
+
2566
+ White-tailed Deer
2567
+
2568
+ 49
2569
+
2570
+ Dave Conlin
2571
+
2572
+ Mule Deer
2573
+
2574
+ 51
2575
+
2576
+ Dave Conlin
2577
+
2578
+ North American Porcupine
2579
+
2580
+ 54
2581
+
2582
+ Dave Conlin
2583
+
2584
+ Beaver
2585
+
2586
+ 57
2587
+
2588
+ Tim Osborne
2589
+
2590
+ Red Squirrel
2591
+
2592
+ 60
2593
+
2594
+ Dave Conlin
2595
+
2596
+ Northern Flying Squirrel
2597
+
2598
+ 62
2599
+
2600
+ Woodchuck
2601
+
2602
+ 64
2603
+
2604
+ Richardson’s Ground Squirrel
2605
+
2606
+ 66
2607
+
2608
+ Dr. Robert Lane
2609
+
2610
+ Thirteen-lined Ground Squirrel
2611
+
2612
+ 68
2613
+
2614
+ Nick Parayko
2615
+
2616
+ Least Chipmunk
2617
+
2618
+ 70
2619
+
2620
+ Dave Conlin
2621
+
2622
+ Muskrat
2623
+
2624
+ 73
2625
+
2626
+ Tim Osborne
2627
+
2628
+ Western Deer Mouse
2629
+
2630
+ 75
2631
+
2632
+ Meadow Jumping Mouse
2633
+
2634
+ 77
2635
+
2636
+ Western Jumping Mouse
2637
+
2638
+ 79
2639
+
2640
+ Western Meadow Vole
2641
+
2642
+ 81
2643
+
2644
+ Southern Red-backed Vole
2645
+
2646
+ 83
2647
+
2648
+ Northern Bog Lemming
2649
+
2650
+ 85
2651
+
2652
+ Northern Pocket Gopher
2653
+
2654
+ 88
2655
+
2656
+ Arctic Shrew
2657
+
2658
+ 91
2659
+
2660
+ Masked Shrew
2661
+
2662
+ 93
2663
+
2664
+ 137
2665
+
2666
+ Scott Heron via Creative
2667
+ Commons ShareAlike
2668
+ Simon Barrette “Cephas”
2669
+ via Creative Commons
2670
+
2671
+ Missouri Dept of
2672
+ Conservation
2673
+ U.S. Fish and Wildlife
2674
+ Service via Creative
2675
+ Commons
2676
+ U.S. Forest Service via
2677
+ Creative Commons
2678
+ “Japanese Tea” via Creative
2679
+ Commons
2680
+ Dr. Gordon Robertson via
2681
+ Creative Commons
2682
+ Marco Valentini
2683
+ U.S. National Park Service
2684
+ via Creative Commons
2685
+ Andrew Polandeze via
2686
+ Creative Commons
2687
+ Jennifer Edalgo, Illinois
2688
+ Department of Natural
2689
+ Resources
2690
+
2691
+
2692
+
2693
+ Pygmy Shrew
2694
+
2695
+ 95
2696
+
2697
+ Phil Myers via Creative
2698
+ Commons
2699
+
2700
+ Snowshoe Hare
2701
+
2702
+ 98
2703
+
2704
+ Dave Conlin
2705
+
2706
+ White-tailed Jackrabbit
2707
+
2708
+ 100
2709
+
2710
+ Dept. Wildlife, State of
2711
+ Utah
2712
+
2713
+ Little Brown Bat
2714
+
2715
+ 103
2716
+
2717
+ Nick Parayko
2718
+
2719
+ Big Brown Bat
2720
+
2721
+ 105
2722
+
2723
+ Hoary Bat
2724
+
2725
+ 107
2726
+
2727
+ Northern Long-eared Bat
2728
+
2729
+ 109
2730
+
2731
+ Silver Haired Bat
2732
+
2733
+ 111
2734
+
2735
+ Red-sided Garter Snake
2736
+
2737
+ 114
2738
+
2739
+ Western Terrestrial Garter
2740
+ Snake
2741
+
2742
+ 116
2743
+
2744
+ Creative Commons
2745
+
2746
+ Plains Garter Snake
2747
+
2748
+ 118
2749
+
2750
+ Nick Parayko
2751
+
2752
+ Western Tiger Salamander
2753
+
2754
+ 121
2755
+
2756
+ Dave Conlin
2757
+
2758
+ Western Toad
2759
+
2760
+ 124
2761
+
2762
+ Dave Conlin
2763
+
2764
+ Canadian Toad
2765
+
2766
+ 126
2767
+
2768
+ Dave Conlin
2769
+
2770
+ Boreal Chorus Frog
2771
+
2772
+ 129
2773
+
2774
+ Dave Conlin
2775
+
2776
+ Wood Frog
2777
+
2778
+ 132
2779
+
2780
+ Tim Osborne
2781
+
2782
+ Northern Leopard Frog
2783
+
2784
+ 134
2785
+
2786
+ Balcer via Creative
2787
+ Commons
2788
+
2789
+ 138
2790
+
2791
+ Larry Master
2792
+ (masterimages.org)
2793
+ Paul Cryan, U.S. Geological
2794
+ Survey via Creative
2795
+ Commons
2796
+ Jomegat via Creative
2797
+ Commons
2798
+ Fish and Wildlife Service,
2799
+ State of Kentucky
2800
+ Larry Master
2801
+ (masterimages.org)
2802
+
2803
+
2804
+
2805
+ 139
2806
+
2807
+
2808
+
2809
+ Produced by:
2810
+ Big Lake Environment Support
2811
+ Society
2812
+ P.O. Box 65053
2813
+ St. Albert, Ab T8N 5Y3
2814
+ www.bless.ab.ca
2815
+
2816
+ $10, all
2817
+ proceeds go to
2818
+ BLESS
2819
+ programs.
2820
+
2821
+ For information contact
2822
+ info@bless.ab.ca
2823
+
2824
+ Printed by
2825
+ College Copy Shop
2826
+ 10221 – 109 St.
2827
+ Edmonton, Alberta T5J 1N2
2828
+
2829
+ 140
2830
+
2831
+
rag-system/src/__init__.py ADDED
File without changes
rag-system/src/preprocessing/__init__.py ADDED
File without changes
rag-system/src/preprocessing/__main__.py ADDED
@@ -0,0 +1,16 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from file_converter import convert_pdfs_to_txt
2
+ from chunker import chunk_files_in_directory
3
+
4
+ def preprocess():
5
+ raw_dir = "data/raw"
6
+ converted_dir = "data/converted"
7
+ chunked_dir = "data/chunked"
8
+
9
+ print("[INFO] Preprocessing PDF files...")
10
+ convert_pdfs_to_txt(raw_dir, converted_dir)
11
+ chunk_files_in_directory(converted_dir, chunked_dir)
12
+
13
+ print(f"[INFO] Preprocessing complete. Converted files saved in [{converted_dir}], chunked files saved in [{chunked_dir}].")
14
+
15
+ if __name__ == "__main__":
16
+ preprocess()
rag-system/src/preprocessing/chunker.py ADDED
@@ -0,0 +1,102 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from langchain_text_splitters import RecursiveCharacterTextSplitter
2
+ import os
3
+ import json
4
+
5
+
6
+ def chunk_text(
7
+ text: str,
8
+ chunk_size: int,
9
+ chunk_overlap: int,
10
+ respect_delimiters: bool = True
11
+ ) -> list[str]:
12
+ """
13
+ Splits text into manageable chunks using RecursiveCharacterTextSplitter.
14
+
15
+ Args:
16
+ text (str): The input text as a string.
17
+ chunk_size (int): Maximum size of each chunk in characters.
18
+ chunk_overlap (int): Number of overlapping characters between consecutive chunks.
19
+ respect_delimiters (bool): Whether to respect logical delimiters to avoid splitting in the middle of words or sentences.
20
+
21
+ Returns:
22
+ list[str]: A list of text chunks.
23
+ """
24
+ # Define a set of hierarchical delimiters for logical splitting
25
+ if respect_delimiters:
26
+ delimiters = ["\n\n", "\n", ". "]
27
+ else:
28
+ delimiters = None # No special treatment for delimiters
29
+
30
+ # Initialize RecursiveCharacterTextSplitter
31
+ splitter = RecursiveCharacterTextSplitter(
32
+ chunk_size=chunk_size,
33
+ chunk_overlap=chunk_overlap,
34
+ separators=delimiters,
35
+ )
36
+
37
+ # Split the text
38
+ chunks = list(filter(
39
+ lambda x: len(x) > 80,
40
+ set(splitter.split_text(text))
41
+ ))
42
+ return chunks
43
+
44
+
45
+ def chunk_file(
46
+ file_path: str,
47
+ chunk_size: int,
48
+ chunk_overlap: int,
49
+ respect_delimiters: bool = True
50
+ ) -> list[str]:
51
+ """
52
+ Splits the contents of a file into manageable chunks using RecursiveCharacterTextSplitter.
53
+
54
+ Args:
55
+ file_path (str): Path to the input file.
56
+ chunk_size (int): Maximum size of each chunk in characters.
57
+ chunk_overlap (int): Number of overlapping characters between consecutive chunks.
58
+ respect_delimiters (bool): Whether to respect logical delimiters to avoid splitting in the middle of words or sentences.
59
+
60
+ Returns:
61
+ list[str]: A list of text chunks.
62
+ """
63
+ with open(file_path, "r", encoding="utf-8") as file:
64
+ text = file.read()
65
+
66
+ chunks = chunk_text(text, chunk_size, chunk_overlap, respect_delimiters)
67
+ return chunks
68
+
69
+
70
+ def chunk_files_in_directory(
71
+ input_dir: str = "data/converted",
72
+ output_dir: str = "data/chunked",
73
+ chunk_size: int = 1000,
74
+ chunk_overlap: int = 100,
75
+ respect_delimiters: bool = True,
76
+ ):
77
+ """
78
+ Splits the contents of all files in a directory into manageable chunks using RecursiveCharacterTextSplitter.
79
+
80
+ Args:
81
+ input_dir (str): Directory containing input files.
82
+ output_dir (str): Directory to save the chunked files.
83
+ chunk_size (int): Maximum size of each chunk in characters.
84
+ chunk_overlap (int): Number of overlapping characters between consecutive chunks.
85
+ respect_delimiters (bool): Whether to respect logical delimiters to avoid splitting in the middle of words or sentences.
86
+ """
87
+ os.makedirs(output_dir, exist_ok=True)
88
+
89
+ for filename in os.listdir(input_dir):
90
+ if filename.endswith(".txt"):
91
+ input_path = os.path.join(input_dir, filename)
92
+ output_path = os.path.join(
93
+ output_dir, f"{os.path.splitext(filename)[0]}.json"
94
+ )
95
+
96
+ chunks = chunk_file(
97
+ input_path, chunk_size, chunk_overlap, respect_delimiters
98
+ )
99
+
100
+ with open(output_path, "w", encoding="utf-8") as file:
101
+ json.dump(chunks, file, indent=4)
102
+
rag-system/src/preprocessing/file_converter.py ADDED
@@ -0,0 +1,41 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import pdftotext
3
+
4
+
5
+ def pdf_to_txt(pdf_path: str, txt_path: str):
6
+ """
7
+ Converts a PDF file to a plain text file using pdftotext.
8
+
9
+ Args:
10
+ pdf_path (str): Path to the input PDF file.
11
+ txt_path (str): Path to save the output TXT file.
12
+ """
13
+ with open(pdf_path, "rb") as pdf_file:
14
+ pdf = pdftotext.PDF(pdf_file)
15
+
16
+ text = "\n\n".join(pdf)
17
+
18
+ with open(txt_path, "w", encoding="utf-8") as txt_file:
19
+ txt_file.write(text)
20
+
21
+ print(f"Converted PDF to TXT: [{txt_path}].")
22
+
23
+
24
+ def convert_pdfs_to_txt(
25
+ raw_dir: str = "data/raw",
26
+ converted_dir: str = "data/converted",
27
+ ):
28
+ """
29
+ Converts all PDF files in the raw directory to TXT format in the converted directory.
30
+
31
+ Args:
32
+ raw_dir (str): Directory containing raw PDF files.
33
+ converted_dir (str): Directory to save converted TXT files.
34
+ """
35
+ os.makedirs(converted_dir, exist_ok=True)
36
+
37
+ for filename in os.listdir(raw_dir):
38
+ if filename.endswith(".pdf"):
39
+ pdf_path = os.path.join(raw_dir, filename)
40
+ txt_path = os.path.join(converted_dir, filename.replace(".pdf", ".txt"))
41
+ pdf_to_txt(pdf_path, txt_path)
rag-system/src/rag/__init__.py ADDED
File without changes
rag-system/src/rag/question_answerer.py ADDED
@@ -0,0 +1,112 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from litellm import completion
2
+ from .retriever import Retriever
3
+
4
+
5
+ class QuestionAnsweringBot:
6
+ PROMPT = """
7
+ You are a helpful assistant that can answer questions.
8
+
9
+ Rules:
10
+ - Reply with a concise and informative answer.
11
+ - Say 'I don't know' if you do not know the answer.
12
+ - Use only the provided context to answer the question.
13
+ """
14
+
15
+ def __init__(
16
+ self,
17
+ retriever: Retriever,
18
+ model: str = None,
19
+ api_key: str = None
20
+ ) -> None:
21
+ """
22
+ Initializes the QuestionAnsweringBot with a retriever and an LLM model.
23
+
24
+ Args:
25
+ retriever (Retriever): The Retriever object for retrieving context chunks.
26
+ model (str): The LLM model name.
27
+ api_key (str): The API key for LiteLLM.
28
+ """
29
+ self.retriever = retriever
30
+ self.model = model
31
+ self.api_key = api_key
32
+
33
+ def answer_question(
34
+ self,
35
+ question: str,
36
+ bm25_weight: float,
37
+ initial_top_n: int,
38
+ final_top_n: int,
39
+ ) -> tuple[str, list[str]]:
40
+ """
41
+ Answers a question using retrieved context and the LLM.
42
+
43
+ Args:
44
+ question (str): The question to answer.
45
+ bm25_weight (float): The weight for BM25 scores in the final score calculation.
46
+ initial_top_n (int): The number of top chunks to retrieve initially.
47
+ final_top_n (int): The number of top chunks to retrieve after reranking.
48
+
49
+ Returns:
50
+ tuple[str, list[str]]: The answer and the list of context chunks used.
51
+ """
52
+ # Retrieve the best context chunks
53
+ context_chunks = self.retriever.get_best_chunks(
54
+ question,
55
+ bm25_weight=bm25_weight,
56
+ initial_top_n=initial_top_n,
57
+ final_top_n=final_top_n,
58
+ )
59
+
60
+ # Combine the context chunks and name each chunk
61
+ context = "\n\n".join(
62
+ [f"Context {i}:\n{chunk}" for i, chunk in enumerate(context_chunks, 1)]
63
+ )
64
+
65
+ # Construct messages for LLM
66
+ messages = [
67
+ {"role": "system", "content": self.PROMPT},
68
+ {"role": "user", "content": f"Context:\n{context}\nQuestion: {question}"},
69
+ ]
70
+
71
+ # Get completion from LiteLLM
72
+ response = completion(
73
+ model=self.model,
74
+ messages=messages,
75
+ api_key=self.api_key,
76
+ )
77
+
78
+ return response["choices"][0]["message"]["content"], context_chunks
79
+
80
+
81
+
82
+ if __name__ == "__main__":
83
+ # Initialize retriever with pre-chunked data
84
+ retriever = Retriever()
85
+
86
+ # Initialize the QuestionAnsweringBot
87
+ qa_bot = QuestionAnsweringBot(
88
+ retriever=retriever,
89
+ model="groq/llama3-8b-8192",
90
+ api_key="",
91
+ )
92
+
93
+ # Ask a question
94
+ questions = [
95
+ "Who are mammals?",
96
+ "Which animals are instinct?",
97
+ "Which survival instincts prey have?",
98
+ "Are there any endangered birds?",
99
+ "What is the most ancient animal that still lives?",
100
+ "What is the most ancient animal?",
101
+ ]
102
+ for question in questions:
103
+ print("\n---------------------------------")
104
+ print(f"Question: {question}")
105
+ answer, context_chunks = qa_bot.answer_question(
106
+ question, initial_top_n=50, final_top_n=3
107
+ )
108
+ print(f"Answer: {answer}")
109
+ # print("\nContext Chunks:")
110
+ # for i, chunk in enumerate(context_chunks, 1):
111
+ # print('---------------------------------')
112
+ # print(f"Context {i}:\n{chunk}\n")
rag-system/src/rag/retriever.py ADDED
@@ -0,0 +1,191 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import json
3
+ import numpy as np
4
+ from sentence_transformers import SentenceTransformer, CrossEncoder
5
+ from rank_bm25 import BM25Okapi
6
+
7
+
8
+ class Retriever:
9
+ def __init__(
10
+ self,
11
+ chunked_dir: str = "data/chunked",
12
+ semantic_model: str = "all-MiniLM-L6-v2",
13
+ reranker_model: str = "cross-encoder/ms-marco-MiniLM-L-12-v2",
14
+ ) -> None:
15
+ """
16
+ Initializes the Retriever with pre-chunked data and precomputed embeddings.
17
+
18
+ Args:
19
+ chunked_dir (str): Path to the directory containing chunked JSON files.
20
+ semantic_model (str): SentenceTransformer model for semantic similarity.
21
+ reranker_model (str): Cross-encoder model for reranking retrieved chunks.
22
+ """
23
+ # Load chunks from JSON files
24
+ self.text_chunks = self._load_chunks_from_directory(chunked_dir)
25
+
26
+ # Initialize BM25 model with computed tokenized chunks
27
+ self.bm25 = BM25Okapi([
28
+ self._tokenize_text(chunk)
29
+ for chunk in self.text_chunks
30
+ ])
31
+
32
+ # Load SentenceTransformer model for semantic similarity
33
+ self.semantic_model = SentenceTransformer(semantic_model)
34
+ self.semantic_chunk_embeddings = self.semantic_model.encode(
35
+ self.text_chunks, convert_to_tensor=False
36
+ )
37
+
38
+ # Load CrossEncoder model for reranking
39
+ self.reranker = CrossEncoder(reranker_model)
40
+
41
+
42
+ def _load_chunks_from_directory(self, chunked_dir: str) -> list[str]:
43
+ """
44
+ Loads all text chunks from JSON files in the specified directory.
45
+
46
+ Args:
47
+ chunked_dir (str): Path to the directory containing chunked JSON files.
48
+
49
+ Returns:
50
+ list[str]: List of all text chunks loaded from the files.
51
+ """
52
+ chunks = []
53
+ for filename in os.listdir(chunked_dir):
54
+ if filename.endswith(".json"):
55
+ file_path = os.path.join(chunked_dir, filename)
56
+ with open(file_path, "r", encoding="utf-8") as file:
57
+ chunks.extend(json.load(file))
58
+ return chunks
59
+
60
+ def _tokenize_text(self, text: str) -> list[str]:
61
+ """
62
+ Tokenizes the input text into words.
63
+
64
+ Args:
65
+ text (str): Input text string.
66
+
67
+ Returns:
68
+ list[str]: List of words in the input text.
69
+ """
70
+ return text.lower().split()
71
+
72
+ def _compute_bm25_scores(self, tokenized_query: list[str]) -> np.ndarray:
73
+ """
74
+ Computes BM25 scores for a given query against the text chunks.
75
+
76
+ Args:
77
+ tokenized_query (list[str]): List of query tokens.
78
+
79
+ Returns:
80
+ np.ndarray: Array of BM25 scores for each chunk.
81
+ """
82
+ return np.array(self.bm25.get_scores(tokenized_query))
83
+
84
+ def _compute_semantic_scores(self, query: str) -> np.ndarray:
85
+ """
86
+ Computes semantic similarity scores for a query against the text chunks.
87
+
88
+ Args:
89
+ query (str): Input query string.
90
+
91
+ Returns:
92
+ np.ndarray: Array of semantic similarity scores for each chunk.
93
+ """
94
+ # Convert query embedding to NumPy array
95
+ query_embedding = self.semantic_model.encode(query, convert_to_tensor=False)
96
+
97
+ # Compute cosine similarity and return as NumPy array
98
+ cosine_similarities = np.dot(
99
+ self.semantic_chunk_embeddings, query_embedding
100
+ ) / (
101
+ np.linalg.norm(self.semantic_chunk_embeddings, axis=1)
102
+ * np.linalg.norm(query_embedding)
103
+ )
104
+ return cosine_similarities
105
+
106
+ def retrieve_chunks(
107
+ self, query: str, top_n: int = 50, bm25_weight: float = 0.3
108
+ ) -> list[tuple[int, str]]:
109
+ """
110
+ Retrieves the top-N most relevant text chunks for a query.
111
+
112
+ Args:
113
+ query (str): Input query string.
114
+ top_n (int): Number of top chunks to retrieve.
115
+ bm25_weight (float): Weight for BM25 scores in the final score calculation.
116
+
117
+ Returns:
118
+ list[tuple[int, str]]: List of top-N most relevant text chunks and their indices.
119
+ """
120
+ tokenized_query = self._tokenize_text(query)
121
+ bm25_scores = self._compute_bm25_scores(tokenized_query)
122
+ semantic_scores = self._compute_semantic_scores(query)
123
+
124
+ # Combine BM25 and semantic scores
125
+ combined_scores = (
126
+ bm25_weight * bm25_scores + (1 - bm25_weight) * semantic_scores
127
+ )
128
+
129
+ # Get indices of top-N scores
130
+ top_indices = np.argsort(combined_scores)[-top_n:][::-1]
131
+
132
+ # Retrieve and return the top-N chunks
133
+ return [(i, self.text_chunks[i]) for i in top_indices]
134
+
135
+ def rerank_chunks(
136
+ self, query: str, retrieved_chunks: list[tuple[int, str]], top_n: int = 3
137
+ ) -> list[str]:
138
+ """
139
+ Reranks the retrieved chunks using a cross-encoder model.
140
+
141
+ Args:
142
+ query (str): Input query string.
143
+ retrieved_chunks (list[tuple[int, str]]): List of retrieved chunks and their indices.
144
+ top_n (int): Number of top chunks to retrieve after reranking.
145
+
146
+ Returns:
147
+ list[str]: List of top-N most relevant text chunks after reranking.
148
+ """
149
+ pairs = [(query, chunk[1]) for chunk in retrieved_chunks]
150
+ scores = self.reranker.predict(pairs)
151
+
152
+ # Sort chunks by reranker scores
153
+ sorted_indices = np.argsort(scores)[-top_n:][::-1]
154
+ return [retrieved_chunks[i][1] for i in sorted_indices]
155
+
156
+ def get_best_chunks(
157
+ self,
158
+ query: str,
159
+ bm25_weight: float = 0.3,
160
+ initial_top_n: int = 50,
161
+ final_top_n: int = 3,
162
+ ):
163
+ """
164
+ Retrieves the top-N most relevant text chunks for a query and reranks them.
165
+
166
+ Args:
167
+ query (str): Input query string.
168
+ initial_top_n (int): Number of top chunks to retrieve initially.
169
+ final_top_n (int): Number of top chunks to retrieve after reranking.
170
+
171
+ Returns:
172
+ list[str]: List of top-N most relevant text chunks after reranking.
173
+ """
174
+ initial_retrieved_chunks = self.retrieve_chunks(
175
+ query, top_n=initial_top_n, bm25_weight=bm25_weight
176
+ )
177
+ final_retrieved_chunks = self.rerank_chunks(
178
+ query, initial_retrieved_chunks, top_n=final_top_n
179
+ )
180
+ return final_retrieved_chunks
181
+
182
+
183
+ if __name__ == "__main__":
184
+ retriever = Retriever()
185
+
186
+ query = "How much land surface is covered by mountains?"
187
+ top_chunks = retriever.get_best_chunks(
188
+ query, bm25_weight=0.4, initial_top_n=50, final_top_n=3
189
+ )
190
+ for i, chunk in enumerate(top_chunks):
191
+ print(f"Chunk {i + 1}: {chunk}")