Matlab Signal Processing Toolbox Documentation Download
Matlab Signal Processing Toolbox Documentation Download
download
https://ebookbell.com/product/matlab-signal-processing-toolbox-
documentation-6741438
https://ebookbell.com/product/matlab-signal-processing-toolbox-users-
guide-unknown-49478936
https://ebookbell.com/product/matlab-signal-processing-toolbox-users-
guide-r2020a-the-mathworks-11236258
https://ebookbell.com/product/multirate-filtering-for-digital-signal-
processing-matlab-applications-1st-edition-ljiljana-milic-1187602
https://ebookbell.com/product/biosignal-and-medical-image-processing-
matlabbased-applications-signal-processing-and-communications-1st-
edition-john-l-semmlow-2355206
Digital Signal Processing Using Matlab 1st Edition Andre Quinquis
https://ebookbell.com/product/digital-signal-processing-using-
matlab-1st-edition-andre-quinquis-2120260
Digital Signal Processing Using Matlab 2nd Edition 2nd Edition Vinay K
Ingle
https://ebookbell.com/product/digital-signal-processing-using-
matlab-2nd-edition-2nd-edition-vinay-k-ingle-2379972
https://ebookbell.com/product/digital-signal-processing-using-matlab-
for-students-and-researchers-1st-edition-john-w-leis-2438962
Digital Signal Processing Using Matlab 3rd Edition 3rd Vinay K Ingle
https://ebookbell.com/product/digital-signal-processing-using-
matlab-3rd-edition-3rd-vinay-k-ingle-2447928
https://ebookbell.com/product/digital-signal-processing-using-matlab-
a-problem-solving-companion-fourth-4th-edition-ed-instructors-
solution-manual-solutions-4-4e-vinay-k-ingle-43679878
Signal Processing Toolbox™
Getting Started Guide
R2016a
How to Contact MathWorks
Phone: 508-647-7000
Overview
1
Signal Processing Toolbox Product Description . . . . . . . . . . 1-2
Key Features . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 1-2
v
Selected Bibliography . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 2-21
vi Contents
1
Overview
1 Overview
Signal Processing Toolbox provides functions and apps to generate, measure, transform,
filter, and visualize signals. The toolbox includes algorithms for resampling, smoothing,
and synchronizing signals, designing and analyzing filters, estimating power spectra, and
measuring peaks, bandwidth, and distortion. The toolbox also includes parametric and
linear predictive modeling algorithms. You can use Signal Processing Toolbox to analyze
and compare signals in time, frequency, and time-frequency domains, identify patterns
and trends, extract features, and develop and validate custom algorithms to gain insight
into your data.
Key Features
• Signal transforms including fast Fourier transform (FFT), short-time Fourier
transform (STFT), and Hilbert transform
• FIR and IIR filter design and analysis
• Measurements such as transition and pulse metrics, band power, bandwidth, and
distortion
• Power spectrum estimation algorithms and data windowing functions
• Statistical signal measurements such as autocorrelation and cross-correlation
• Linear prediction and parametric time series modeling
• Waveform and pulse generation and data resampling functions
1-2
2
Representing Signals
In this section...
“Numeric Arrays” on page 2-2
“Vector Representation” on page 2-2
Numeric Arrays
The central data construct in the MATLAB environment is the numeric array, an ordered
collection of real or complex numeric data with two or more dimensions. The basic data
objects of signal processing (one-dimensional signals or sequences, multichannel signals,
and two-dimensional signals) are all naturally suited to array representation.
Vector Representation
MATLAB represents ordinary one-dimensional sampled data signals, or sequences, as
vectors. Vectors are 1-by-n or n-by-1 arrays, where n is the number of samples in the
sequence. One way to introduce a sequence is to enter it as a list of elements at the
command prompt. The statement
x = [4 3 7 -9 1];
creates a simple five-element real sequence in a row vector. Transposition turns the
sequence into a column vector
x = x';
x =
4
3
7
-9
1
Column orientation is preferable for single channel signals because it extends naturally
to the multichannel case. For multichannel data, each column of a matrix represents one
channel. Each row of such a matrix then corresponds to a sample point. A three-channel
signal that consists of x, 2x, and x/π is
y = [x 2*x x/pi]
2-2
Representing Signals
y =
4.0000 8.0000 1.2732
3.0000 6.0000 0.9549
7.0000 14.0000 2.2282
-9.0000 -18.0000 -2.8648
1.0000 2.0000 0.3183
If the sequence has complex-valued elements, the transpose operator takes the conjugate
of the sequence elements. To transform a complex-valued row vector into a column vector
without taking conjugates, use the .' or non-conjugate transpose:
2-3
2 Basic Signal Processing Concepts
t = (0:0.001:1)';
where the MATLAB® colon operator (:) creates a 1001-element row vector that
represents time running from 0 to 1 seconds in steps of 1 ms. The transpose operator (')
changes the row vector into a column; the semicolon (;) tells MATLAB to compute, but
not display, the result.
Given t, you can create a sample signal y consisting of two sinusoids, one at 50 Hz and
one at 120 Hz with twice the amplitude.
y = sin(2*pi*50*t) + 2*sin(2*pi*120*t);
The new variable y, formed from vector t, is also 1001 elements long. You can add
normally distributed white noise to the signal and plot the first 50 points:
yn = y + 0.5*randn(size(t));
plot(t(1:50),yn(1:50))
2-4
Waveform Generation: Time Vectors and Sinusoids
2-5
2 Basic Signal Processing Concepts
t = (-1:0.01:1)';
impulse = t==0;
unitstep = t>=0;
ramp = t.*unitstep;
quad = t.^2.*unitstep;
All of these sequences are column vectors that inherit their shapes from t. Plot the
sequences.
2-6
Impulse, Step, and Ramp Functions
Generate and plot a square wave with period 0.5 and amplitude 0.81.
sqwave = 0.81*square(4*pi*t);
plot(t,sqwave)
2-7
2 Basic Signal Processing Concepts
2-8
Multichannel Signals
Multichannel Signals
Use standard MATLAB array syntax to work with multichannel signals. For example, a
multichannel signal consisting of the last three signals generated above is
z = [ramp_sig quad_sig sq_wave];
You can generate a multichannel unit sample function using the outer product operator.
For example, a six-element column vector whose first element is one, and whose
remaining five elements are zeros, is
a = [1 zeros(1,5)]';
To duplicate column vector a into a matrix without performing any multiplication, use
the MATLAB colon operator and the ones function:
c = a(:,ones(1,3));
2-9
2 Basic Signal Processing Concepts
To generate 1.5 seconds of a 50 Hz sawtooth wave with a sample rate of 10 kHz and plot
0.2 seconds of the generated waveform, use
fs = 10e3;
t = 0:1/fs:1.5;
x = sawtooth(2*pi*50*t);
plot(t,x)
axis([0 0.2 -1 1])
2-10
Common Periodic Waveforms
2-11
2 Basic Signal Processing Concepts
To compute 2 seconds of a linear chirp signal with a sample rate of 1 kHz that starts at
DC and crosses 150 Hz at 1 second, use:
t = 0:1/1000:2;
y = chirp(t,0,1,150);
spectrogram(y,256,250,256,1000,'yaxis')
2-12
Common Aperiodic Waveforms
2-13
2 Basic Signal Processing Concepts
T = 0:1/50e3:10e-3;
D = [0:1/1e3:10e-3;0.8.^(0:10)]';
Y = pulstran(T,D,'gauspuls',10e3,0.5);
plot(T,Y)
2-14
The pulstran Function
2-15
2 Basic Signal Processing Concepts
The sinc function has a value of 1 when is equal to zero, and a value of for all
other elements of .
To plot the sinc function for a linearly spaced vector with values ranging from to ,
use the following commands:
x = linspace(-5,5);
y = sinc(x);
plot(x,y)
2-16
The Sinc Function
2-17
2 Basic Signal Processing Concepts
where is a user-specified positive integer. For odd, the Dirichlet function has a
period of ; for even, its period is . The magnitude of this function is times the
magnitude of the discrete-time Fourier transform of the -point rectangular window.
x = linspace(0,4*pi,300);
subplot(2,1,1)
plot(x/pi,diric(x,7))
title('N = 7')
subplot(2,1,2)
plot(x/pi,diric(x,8))
title('N = 8')
xlabel('x / \pi')
2-18
The Dirichlet Function
2-19
2 Basic Signal Processing Concepts
Data Precision
All Signal Processing Toolbox functions accept double-precision inputs. If you input
single-precision floating-point or integer data types, you should not expect to receive
correct results and in many cases, an error will occur. DSP System Toolbox™ and Fixed-
Point Designer™ products enable single-precision floating-point and fixed-point support
for most dfilt structures.
2-20
Selected Bibliography
Selected Bibliography
Algorithm development for Signal Processing Toolbox functions has drawn heavily upon
the references listed below. All are recommended to the interested reader who needs to
know more about signal processing than is covered in this manual.
References
[1] Crochiere, R. E., and Lawrence R. Rabiner. Multi-Rate Signal Processing. Englewood
Cliffs, NJ: Prentice Hall, 1983. pp.88–91.
[2] IEEE. Programs for Digital Signal Processing. IEEE Press. New York: John Wiley &
Sons, 1979.
[3] Jackson, L. B. Digital Filters and Signal Processing. Third Ed. Boston: Kluwer
Academic Publishers, 1989.
[4] Kay, Steven M. Modern Spectral Estimation. Englewood Cliffs, NJ: Prentice Hall,
1988.
[5] Oppenheim, Alan V., and Ronald W. Schafer. Discrete-Time Signal Processing.
Englewood Cliffs, NJ: Prentice Hall, 1989.
[6] Parks, Thomas W., and C. Sidney Burrus. Digital Filter Design. New York: John
Wiley & Sons, 1987.
[7] Percival, D. B., and A. T. Walden. Spectral Analysis for Physical Applications:
Multitaper and Conventional Univariate Techniques. Cambridge: Cambridge
University Press, 1993.
[8] Pratt, W. K. Digital Image Processing. New York: John Wiley & Sons, 1991.
[9] Proakis, John G., and Dimitris G. Manolakis. Digital Signal Processing: Principles,
Algorithms, and Applications. Upper Saddle River, NJ: Prentice Hall, 1996.
[10] Rabiner, Lawrence R., and Bernard Gold. Theory and Application of Digital Signal
Processing. Englewood Cliffs, NJ: Prentice Hall, 1975.
[11] Welch, P. D. “The Use of Fast Fourier Transform for the Estimation of
Power Spectra: A Method Based on Time Averaging Over Short, Modified
2-21
2 Basic Signal Processing Concepts
2-22
3
Note: You must have the Signal Processing Toolbox installed to use fdesign and
filterbuilder. Advanced capabilities are available if your installation additionally
includes the DSP System Toolbox license. You can verify the presence of both toolboxes
by typing ver at the command prompt.
Filter design through user-defined specifications is the core of the fdesign approach.
This specification-centric approach places less emphasis on the choice of specific filter
algorithms, and more emphasis on performance during the design a good working filter.
For example, you can take a given set of design parameters for the filter, such as a
stopband frequency, a passband frequency, and a stopband attenuation, and— using
these parameters— design a specification object for the filter. You can then implement
the filter using this specification object. Using this approach, it is also possible to
compare different algorithms as applied to a set of specifications.
The distinction between these two objects is at the core of the filter design methodology.
The basic attributes of each of these objects are outlined in the following table.
You can run the code in the following examples from the Help browser (select the code,
right-click the selection, and choose Evaluate Selection from the context menu), or you
can enter the code on the MATLAB command line. Before you begin this example, start
MATLAB and verify that you have installed the Signal Processing Toolbox software. If
you wish to access the full functionality of fdesign and filterbuilder, you should
additionally obtain the DSP System Toolbox software. You can verify the presence of
these products by typing ver at the command prompt.
3-2
Design a Filter Using fdesign
Assume that you want to design a bandpass filter. Typically a bandpass filter is defined
as shown in the following figure.
In this example, a sampling frequency of Fs = 48 kHz is used. This bandpass filter has
the following specifications, specified here using MATLAB code:
In the following two steps, these specifications are passed to the fdesign.bandpass
method as parameters.
Step 1
3-3
3 Design a Filter with fdesign and filterbuilder
To create a filter specification object, evaluate the following code at the MATLAB
prompt:
d = fdesign.bandpass
Now, pass the filter specifications that correspond to the default Specification
— fst1,fp1,fp2,fst2,ast1,ap,ast2. This example adds fs as the final input
argument to specify the sampling frequency of 48 kHz.
Note: The order of the filter is not specified, allowing a degree of freedom for the
algorithm design in order to achieve the specification. The design will be a minimum
order design.
The specification parameters, such as Fstop1, are all given default values when
none are provided. You can change the values of the specification parameters after
the filter specification object has been created. For example, if there are two values
that need to be changed, Fpass2 and Fstop2, use the set command, which takes
the object first, and then the parameter value pairs. Evaluate the following code at
the MATLAB prompt:
You may also change parameter values in filter specification objects by accessing
them as if they were elements in a struct array.
>> BandPassSpecObj.Fpass2=15800;
Step 2
Design the filter by using the design command. You can access the design methods
available for you specification object by calling the designmethods function. For
example, in this case, you can execute the command
>> designmethods(BandPassSpecObj)
3-4
Design a Filter Using fdesign
butter
cheby1
cheby2
ellip
equiripple
kaiserwin
After choosing a design method use, you can evaluate the following at the MATLAB
prompt (this example assumes you've chosen 'equiripple'):
BandPassFilt =
If you have the DSP System Toolbox installed, you can also design your filter with
a filter System object™. To create a filter System object with the same specification
object BandPassSpecObj, you can execute the commands
>> designmethods(BandPassSpecObj,...
'SystemObject',true)
butter
cheby1
cheby2
ellip
equiripple
kaiserwin
3-5
3 Design a Filter with fdesign and filterbuilder
System: dsp.FIRFilter
Properties:
Structure: 'Direct form'
NumeratorSource: 'Property'
Numerator: [1x44 double]
InitialConditions: 0
FrameBasedProcessing: true
Available design methods and design options for filter System objects are not
necessarily the same as those for filter objects.
Note: If you do not specify a design method, a default method will be used. For
example, you can execute the command
>> BandPassFilt = design(BandPassSpecObj)
BandPassFilt =
To check your work, you can plot the filter magnitude response using the Filter
Visualization tool. Verify that all the design parameters are met:
3-6
Design a Filter Using fdesign
3-7
3 Design a Filter with fdesign and filterbuilder
filterbuilder
2 Select Bandpass filter response from the list in the dialog box, and hit the OK
button.
3 Enter the correct frequencies for Fpass2 and Fstop2, then click OK. Here the
specification uses normalized frequency, so that the passband and stopband edges
are expressed as a fraction of the Nyquist frequency (in this case, 48/2 kHz). The
following message appears at the MATLAB prompt:
3-8
Design a Filter Using filterbuilder
Note that the dashed red lines on the preceding figure will only appear if you are
using the DSP System Toolbox software.
3-9
4
Introduction
This section describes how to graphically design and implement digital filters using the
Signal Processing Toolbox FDATool GUI. Filter design is the process of creating the filter
coefficients to meet specific frequency specifications. Filter implementation involves
choosing and applying a particular filter structure to those coefficients. Only after both
design and implementation have been performed can your data be filtered.
This section includes a brief discussion of applying the completed filter design and filter
implementation using MATLAB command line functions, such as filter.
4-2
Designing the Filter
fdatool
The FDATool dialog opens with a default filter. Its filter information is summarized
in the upper left (Current Filter Information) and its filter specifications are
depicted in the upper right. In addition to displaying filter specification, this upper
right pane displays filter responses and filter coefficients.
The bottom half of FDATool shows the Filter Design panel, where you specify the
filter parameters. Other panels, such as Import filter from workspace and Pole/Zero
Editor, which you access with the buttons on the lower left, are also displayed in this
area. If you have other products installed, you may see additional buttons.
4-3
4 Filter Design with the FDATool GUI
Note that when you open FDATool, Design Filter is not enabled. You must make
a change to the default filter design in order to enable Design Filter. This is true
each time you want to change the filter design. Changes to radio button items or
drop down menu items such as those under Response Type or Filter Order enable
Design Filter immediately. Changes to specifications in text boxes such as Fs,
Fpass, and Fstop require you to click outside the text box to enable Design Filter.
2 In the Response Type pane, select Bandpass.
3 In the Design Method pane, select IIR, and then select Butterworth from the
selection list.
4 For the Filter Order, select Specify order, and then enter 6.
6 After specifying the filter design parameters, click the Design Filter button at the
bottom of the design panel to compute the filter coefficients. The display updates to
show the magnitude response of the designed filter.
4-5
4 Filter Design with the FDATool GUI
Notice that the Design Filter button is disabled after you compute the coefficients
for your filter design. This button is enabled again if you make any changes to the
filter specifications.
7 Click the Store Filter button.
8 In the Store Filter dialog, change the filter name to Bandpass Butterworth-1 and
click OK to save the filter in the Filter Manager.
4-6
Analyzing the Filter
Magnitude response
Phase response
Group delay
Phase delay
Impulse response
Step response
Pole-zero plot
Filter coefficients
Filter information
Note: Other analyses are available if you have the DSP System Toolbox product
installed.
4-7
4 Filter Design with the FDATool GUI
4-8
Designing Additional Filters
1 Using the parameters listed in the table above, for each table row, set the
appropriate the Fc1 and Fc2 values.
2 Design the filter by clicking the Design Filter button.
3 Click Store Filter to save the filter.
4 Change the name to the appropriate filter name shown in the table above.
5 Repeat these steps until all 10 filters are designed and stored.
4-9
4 Filter Design with the FDATool GUI
1 Click the Filter Manager button to display the Filter Manager, which lists your
saved filters.
2 Press Ctrl+click on each filter name to select all the filters, and then click FVTool.
FVTool opens with the filter responses overlaid for easy comparison. (If you want to
view a single filter in FVTool, click the Full View Analysis button when that filter
is shown in the FDATool display panel or select View > Filter Visualization Tool).
4-10
Exploring the Variety of Random
Documents with Different Content
become possible. Thus it is seen that the work of transportation may
at times monopolize the entire energy of a stream to the exclusion
of erosion; or the two works may be carried forward at the same
time.
The rapidity of erosion depends upon the hardness, size, and
number of the fragments in the flowing water, upon the durability of
the stream-bed, and upon the velocity of the current, the element of
velocity being of double importance, since it determines not only the
size but the speed of the particle with which it works. Transportation
is favored by an increased water-supply as much as by increased
declivity, because when a stream increases in volume the increase in
its velocity outruns the increase in volume, and its transporting
power is correspondingly augmented. It is due to this that a stream
which is subject to floods—periodical or otherwise—has a much
greater transporting power than it could possess were its total
water-supply evenly distributed throughout the year.
During one period of volcanic activity the focus of lava-flows into
the cañon was at Lava Falls. A number of lava-streams burst directly
into the cañon through the walls, while several flows poured their
fiery floods over the brink. What a wild and spectacular condition
existed while the river, deep in the cañon, received these tributaries
of liquid fire! When the flow ceased, the cañon for sixty miles was
filled with lava to the depth of about five hundred feet. The lava
cooled, and in time was eroded away. The records of this spectacular
story are still easily read.
Through these thousand miles of cañon, more than one fifth of
which is the Grand Cañon, the river has a fall of about five thousand
feet, unevenly divided. There are long stretches of quiet water, but
in the Lodore, Cataract, Marble, and Grand Cañons are numerous
and turbulent currents flowing amid masses of wild, rocky débris.
There are about five hundred bad rapids and many others of lesser
power. Most of these rapids are caused by rock-jams—dams formed
by masses of rocky débris that have fallen from the walls above or
have been swept into the main cañon by tributary streams. A few
rapids are caused by ribs of hard, resistant rock that have not been
worn down to the level of the softer rock.
The cañon was discovered by Spaniards in 1540. A government
expedition visited it in 1859. The report of this expedition, printed in
1861, is accompanied with a picture of an ideal cañon. It is shown
as narrow, with appallingly high vertical walls. Lieutenant Ives, who
was in charge, thus closes his account:—
Ours has been the first and will doubtless be the last party of Whites to visit this
profitless location. It seems intended by Nature that the Colorado River, along the
greater portion of its lonely and majestic way, shall be forever unvisited and
undisturbed.
Ten years later Major John W. Powell explored the series of cañons
from end to end. Hundreds of expeditions that have attempted to go
through them have failed. Of the half-dozen that succeeded, one
was organized and conducted by Julius F. Stone, a manufacturer of
Columbus, Ohio.
"Why," I asked Mr. Stone, "did you take the hazard and endure the
acute hardship of this expedition?" His reply was:—
To photograph consecutively the entire cañon system of the Green and Colorado
Rivers, which, so far as the upper cañons are concerned, had not yet been done.
We also wished to determine the accuracy of some statements heretofore made
which seemed reasonably open to question.
Mr. Stone went all the way through the cañon, took hundreds of
photographs, and made numerous measurements. He made a
thorough study of this cañon, added greatly to our knowledge of it,
and corrected a number of misconceptions concerning it.
But [continued Mr. Stone] it was also to get away from work! For the fun of the
thing! Year after year the voice of many waters had said: "Come join us in our
joyous, boisterous journey to the sea, and you shall know the ecstasy of wrestling
with Nature naked-handed and in the open, as befits the measure of a man." It
takes on many forms and numberless variations, this thing called play. Its
appealing voices come from far and near, in waking and in dreams; from quiet,
peaceful places they allure with the assurance of longed-for rest; from the deeps
of unfrequented regions they whisper of eager day- and night-time hours
brimming with the fullness of heart's desire, while bugle-throated, their challenge
sounds forever from every unsealed height.
I presume it is quite true that the chance of disaster (provided we consider
death as being such) followed us like the eyes of the forest that note every move
of the intruder but never reveal themselves. But somehow or other the snarling
threat of the rapids did not creep into the little red hut where fear lives, and so
burden our task with irresolution or the handicap of indecision; therefore,
whatever dangers may have danced invisible attendance on our daily toil, they
rarely revealed themselves in the form of accident, and never in the shape of
difficulties too great to be overcome, though sometimes the margin was rather
small.
Looking back now at the chance of our having been caught, a shade of
hesitation flits over the abiding desire to see it all again, but the free, buoyant life
of the open, unvexed by the sedate and superfluous trifles of conventionality, the
spirit of fair companionship vouchsafed by the wilderness, and the river that
seemed to take us by the hand and lead us down its gorgeous aisles where
grandeur, glory, and desolation are all merged into one—these still are as a voice
and a vision that hold the imagination with singular enchantment.
Any one interested in the geology of the Grand Cañon will find
much in the books of Powell and Dellenbaugh, but best of all are the
recent reports of the Geological Survey. For glimpses of the
interesting characters who frequent this region, and for a sober
account of an array of Grand Cañon adventures, nothing equals the
narrative in "Through the Grand Cañon from Wyoming to Mexico,"
by Ellsworth L. Kolb.
Professor John C. Van Dyke, author of "The Desert," has most ably
summed up the Grand Cañon in three monumental sentences: "More
mysterious in its depth than the Himalayas in their height.... The
Grand Cañon remains not the eighth but the first wonder of the
world. There is nothing like it."
The land of form, the realm of music and of song—running,
pouring, rushing, rhythmic waters; but preëminently a land of color:
flowing red, yellow, orange, crimson and purplish, green and blue.
Miles of black and white. This riot and regularity and vast distribution
of color in continual change—it glows and is subdued with the shift
of shadows, with the view-point of the sun.
X
LASSEN VOLCANIC NATIONAL PARK
An active volcano is the imposing exhibit in the Lassen Volcanic
National Park. The fiery Lassen Peak rises in the midst of telling
volcanic records that have been made and changed through many
thousand years.
This Park is in northern California. It is about one hundred and
fifty miles south of the Crater Lake National Park. The territory
embraces the southern end of the Cascade Mountains, the northern
end of the Sierra, and through it is the cross-connection between the
Sierra and the Coast Range. The area is about one hundred and
twenty-five square miles. The major portion of the Park lies at an
altitude of between six thousand and eight thousand feet, the lowest
part being about four thousand feet, while the highest point, the
summit of Lassen Peak, is 10,437 feet above the level of the sea.
The Park is reached by automobile roads. It is easily accessible from
the Southern Pacific Railroad in the upper Sacramento Valley, and
from the Western Pacific Railroad on the Feather River.
The scientific and scenic merits of this territory were of such
uncommon order that in 1907 they were reserved in the Mount
Lassen and Cinder Cone National Monuments. Both these
reservations are now merged into the Lassen Volcanic National Park.
Lassen Peak is one of the great volcanoes of the Pacific Coast.
Most of the material in it, and that of the surrounding territory,
appears to be of volcanic origin. It is in the margin of one of the
largest lava-fields in the world. The lava in this vast field extends
northward through western Oregon and Washington and far
eastward, including southern Idaho and the Yellowstone National
Park. It has an area of about two hundred and fifty thousand square
miles, over parts of which the lava is of great depth.
Lassen is the southernmost fire mountain of that numerous group
of volcanoes that have so greatly changed the surface of the
Northwest. Among its conspicuous volcanic companions are Crater
Lake, formerly Mount Mazama, Mount Hood, Mount St. Helens,
Mount Baker, and Mount Rainier. Until Lassen Peak burst forth in
1914 it had slumbered for centuries, and was commonly considered
extinct. It has probably been intermittently active for ages. Many
geologists think that this activity has extended through not less than
two million years. Just how long it may show its red tongue and its
black clouds of breath is uncertain; and just how violent and how
voluminous its eruptions may become are matters of conjecture.
All about Lassen Peak are striking exhibits of vulcanism—fields of
lava, quantities of obsidian or natural glass, sulphur springs, hot
springs, volcanic sand and volcanic bombs, and recent volcanic
topography, including Snag Lake.
Copyright, 1914, by B. F. Loomis
LASSEN PEAK IN ERUPTION
Two of the imposing cañons here are Los Molinos and Warner
Cañon. These and other changes in the sides of Lassen Peak
illustrate the old, ever-interesting, and eternal story of erosion. Both
these cañons are wild places which have cut and eroded deeply into
the ancient lavas of Mount Lassen. Frost and water have reshaped
the work of fire. The mountain's sides show that it withstood the
latest visits of the Ice King. What appear to be the distinct records of
glacial erosion mark many spaces of its slopes.
The eruption of May 19, 1915, produced many changes. A volume
of super-heated gases burst out beneath the deeply snow-covered
northeast slope. The snow was instantly changed into water and
steam. The mighty downrush and onrush of water wrecked the
channel of Lost Creek for several miles. Meadows were piled with
boulders, rock fragments, and finer débris. Trees were uprooted or
broken off, carried downward, and left in piles of fierce confusion.
The hot gases played havoc with the forests. A stretch from a
quarter of a mile to nearly a mile wide and about ten miles long was
killed by the heat of the sweeping hurricane. Thousands of trees
were instantly killed and their green changed to brown. Others were
charred. Forest fires were started in a number of places.
The spectacular ruins which this left behind—the trees, wreckage,
slides, the changes made by ashes—may now be viewed with ease
and safety. It is probable that for years to come this volcanic
wreckage will be seen by thousands of visitors annually.
Fiery Lassen Peak is snow-crowned. One may ride to its summit
on horseback. From the top one has magnificent views of the
mountains to the north, the distant Coast Range, and the mountains
eastward by the Great Basin. On the whole, the surrounding
mountain distances are hardly excelled for grandeur in the entire
country.
Cinder Cone is about ten miles to the northeast of Lassen Peak. It
has an altitude of only 6907 feet. It appears to have been built up
chiefly during the last two hundred years and for the most part by
two eruptions. One of these occurred nearly two hundred years ago.
It originated Stump Lake and ejected and spread materials over
considerable territory. The more recent eruption appears to have
taken place less than a century ago. In the summer of 1890 I found
in the crater a lodge-pole pine that was about eighty years of age.
Cinder Cone is a strikingly symmetrical small crater formed of
cinders and other volcanic products. It stands in a lava-field that has
an area of about three square miles. Its base measures about two
thousand feet in diameter, its truncated cone seven hundred and
fifty feet, and it is about six hundred and fifty feet high. Its well-
preserved crater is two hundred and forty feet deep and is nicely
funnel-shaped.
The Indians of the region had a popular tradition of the intense
activity of this cone about three centuries ago. This tradition was
that for a long time the sky was black with ashes and smoke.
Thousands of acres of forest were buried or smothered. The world
appeared to be coming to an end. But finally the sun appeared, red
as blood. The sky cleared, and volcanic activity ceased.
A number of the hot springs are agitated almost enough to be
called geysers. Cold and mineral springs abound. There are a
number of lively streams and plunging waterfalls.
The lake-area is twenty-three hundred acres. The largest of the
lakes is Lake Bidwell. Cinder Cone stands between two lakes which
appear to have been formerly one. The eruption of this cone
probably extended a lava-flow across the lake, dividing it into two
parts. An outpouring of volcanic material apparently made a dam,
which formed a reservoir, now occupied by Stump Lake. This filled
with water and drowned a forest growth. Through the surface of this
lake still thrust numerous tree-trunks of the drowned forest. The
outburst of Cinder Cone that formed this lake and overwhelmed the
forest probably took place nearly two hundred years ago. Other
lakes are Juniper, Tilman, and Manzanita Lakes.
The greater portion of the Park is forested. Among the more
common species of trees are Jeffrey pine, red fir, mountain hemlock,
lodge-pole pine, white fir, and incense cedar. In places among the
forests are beautiful mountain meadows.
There are scores of varieties of wild flowers. Most of these grow
under favorable conditions; have warmth, moisture, and rich soil;
and they show bright, clean blossoms. The district has its full share
of bird and animal life. In a number of streams fish are plentiful.
The Lassen Volcanic National Park was created chiefly through the
efforts of Congressmen John E. Raker and William Kent.
The varied objects of interest in this Park, especially those
associated with topography and geology, make it not only a place
with curious features, but a region affording unusual opportunities
for the gathering of fundamental facts concerning our resources.
Here also are scenes to inspire the souls of such as can be moved by
the beauty and grandeur of Nature and by the awful manifestations
of her power.
Says J. S. Diller, of the United States Geological Survey, "With its
comfortably active volcano, inviting cinder cones and lava fields,
vigorously boiling hot springs, mud lakes and 'mush pots' for the
vulcanologist to study, and the glaciated divides and cañons for the
physiographer, in a setting of lovely scenery and attractive camps,
for the tourists all easily accessible, the Lassen Peak region affords
one of the most alluring and instructive spots for a National Park."
XI
HAWAII NATIONAL PARK
A volcanic exhibit unrivaled in the world is embraced in the Hawaii
National Park, which was created in 1916. This Park consists of two
volcanic sections in the Hawaiian Islands, with a total area of one
hundred and seventeen square miles. Within this territory are two
active volcanoes, Kilauea and Mauna Loa on the island of Hawaii;
and one sleeping volcano, Haleakala on the island of Maui.
The celebrated and unequaled Hawaiian volcanoes are a national
scenic asset, unique of their kind and famous in the world of
science. Apparently, the ocean has been filled in and the entire
group of Hawaiian Islands built by the lava-outpourings of
volcanoes. In this National Park we may see volcanic topography in
the course of construction; some landscapes just cast in the process
of cooling; others that are beginning to show the erosion of the
elements; also those which vegetation is just possessing.
The Hawaii National Park has about the same latitude as the City
of Mexico. There are about a dozen islands in the group, with a total
area of seventy-five hundred square miles. Honolulu, the capital city,
is on the island of Oahu, near the middle of the island chain, which
extends from northwest to southeast. From San Francisco it is about
twenty-one hundred miles to Honolulu.
Kilauea is more than two hundred miles southeast of Honolulu,
and thirty miles inland from the port of Hilo. Twenty miles to the
west from Kilauea is Mauna Loa. The crater of Haleakala is on a
different island from Kilauea and Mauna Loa, about midway between
these and Honolulu.
The active rim of Kilauea is four thousand feet above the sea. The
slopes of this volcano have an exceedingly flat grade. It is the most
continuously active of the three volcanoes in this Park. It has a pit in
which the molten lava rises and falls and is boiling all the time. For a
century Kilauea has been almost continuously active with a lake or
lakes of molten lava. The crater of Kilauea is not a steep mountain-
top, but a broad, forested plateau, beneath which is a lava sink three
miles in diameter, surrounded by cliffs three hundred feet high.
Several times during the last century the active crater was upheaved
into a hill. In a little while it collapsed into a deep pit with
marvelously spectacular avalanches, fiery grottos, and clouds of
steam and brown dust. Through many years the crater was
overflowing. Frequently large pieces of the shore fall into the molten
lake, forming islands.
The magnificent spectacle of the lake of lava at Kilauea is
indescribable. Charles W. Eliot, President Emeritus of Harvard
University, visited the crater and pronounced it the most wonderful
scene he had ever watched. It is a lake of liquid fire one thousand
feet across, splashing on its banks with a noise like the waves of the
sea. Great high fountains boil up through it, sending quantities of
glowing spray over the shore. There are fiery, molten cascades,
whirlpools, and rapids, with hissing of gases, rumbling, and blue
flames playing through the crevices. It is ever changing, and the
record of these changes is being kept from day to day,
photographically and otherwise, by the Hawaiian Volcano
Observatory.
Mauna Loa is an active crater, 13,675 feet above sea-level. It is an
enormous mountain mass, covering a wide area with its very gentle
slopes. This volcano erupts about once every decade. Of the three
volcanoes in the Park, Mauna Loa is the most productive of new
rock, which it pours out on the surface of the land. Its activities start
with outbursts on the summit and culminate after a number of years
in a flow which floods the whole country for many months.
Perpetual snow crowns Mauna Loa, and ice may be found in
cracks even in summer. In the winter-time there is a variety of
climate from sea-level to the summit—from the warmth of the
tropics to arctic blizzards on the mountain-top.
An interesting and somewhat amusing story is told in regard to an
eruption of Mauna Loa in 1881. The flow of lava at that time was so
heavy that it seriously threatened to wipe out the town of Hilo.
When the lava ran down to within a mile of the place, the natives
urged their Princess Ruth to go and conjure the goddess of the
volcano, Pele, to stop the flow. She went—so the tales goes—with all
her retinue, and threw into the crater some berries, a black hen, a
white pig, and a bottle of gin, as sacrifices. The lava-flow stopped,
and the natives believed their escape due to the odd offering,
although some people have expressed the opinion that such a
collection of stuff thrown into an active volcano's crater would make
the eruption more violent, if it had any effect at all.
Mauna Loa forces columns of liquid lava hundreds of feet into the
air, and every few years pours forth billions of tons of lava in a few
days. There is a wonderful rift-line, from which eight or ten flows
poured forth during the last century. These burst out on the slopes
of the mountain, not from the summit crater. After the first explosion
at the summit, a period of quiet intervenes, and then the rifts open
and lava flows down.
The lava cools quickly and changes through colors of red, purple,
brown, and gray as it cools. Areas of each of these are seen at one
time, with red-hot liquids showing in the cracks of the lava. Trees of
lava are formed at one place by the flow of lava rushing through a
forest and congealing around the trunks. Fields of "Pele's hair"—lava
—are blown out by the wind, like spun glass, as the fiery spray is
dashed into the air on the surface of the molten lake. In the large
craters are numerous smaller ones with endless lava forms, colors,
and volcanic structures.
The crater of Haleakala, ten thousand feet high, is near the middle
of the island of Maui. It is eight miles in diameter and three
thousand feet deep. While Haleakala has not erupted for two
hundred years, the entire crater is sometimes full of active fire
fountains, and the fiery glow mounts to the clouds like an immense
conflagration.
Professor Thomas A. Jaggar says, "The crater of Haleakala at
sunrise is the grandest volcanic spectacle on earth."
No photograph can give any adequate idea of the view from its
summit, often above the clouds. It is a good place from which to see
the sun come up through the clouds in the crater. This event has
been described as being like the birth of a new world. From here
one can look down on the island and on the sea, and see the
neighboring island of Oahu.
Sidney Ballou says: "A number of people who have been to the
top of Haleakala pronounce the sensation there, although somewhat
indefinable and indescribable, as the chief scenic attraction of the
world. Men like John Muir, who have been all over the world, go up
there and say that it is the greatest spectacle in the world."
In addition to the variety of volcanic displays and lava landscapes,
the Hawaiian Park contains splendid tropical groves and forests of
sandalwood and magnificent Hawaiian mahogany trees with trunks
over twenty feet in circumference. There are forests of tree ferns up
to forty feet in height, with single leaves twenty feet long; tropical
jungles with scores of varieties of the most exquisite and delicate
ferns and mosses, many of them found nowhere else in the world.
There are numerous song-birds of brilliant hues, many of them
found nowhere but in Hawaii, and nearly extinct except in this Park.
There are rolling grassy meadows, dotted with tropical trees, shrubs,
and ferns, giving a parklike effect. Many of the trees are botanical
treasures, known only in this Park region, and of great rarity.
The views from the slopes and summits of the volcanic peaks are
a mingling of wild magnificence and tropical splendor. The craters
themselves are weird spectacles that awe visitors into silence as they
watch the wonderful action of the liquid fire fountains, boiling lakes,
flaming lava, and other demonstrations of the Fire King.
L. A. Thurston, of Honolulu, appears to have first proposed this
Park, and he did much toward its acquisition.
XII
THREE NATIONAL MONUMENTS
Utah has the four grandest natural bridges in the world. Three of
these are in the Natural Bridges National Monument, and the fourth
in the Rainbow Bridge National Monument. There are natural bridges
elsewhere in Utah, and in the Yellowstone and the Mesa Verde
National Parks; also in Virginia and various other places. But so far
as known, the four in these two National Monuments excel all others
in size, in impressiveness, and in wildness of setting.
These National Monuments embrace desert regions in
southeastern Utah which are made up mostly of rock-formations.
Standing out on the strange desert, the fantastic forms and weird
sandstone figures exhibited give the whole region a peculiar
impressiveness. There are countless statuesque forms and groups
that are surprisingly faithful in their resemblance to figures of birds,
animals, humans, and temples; and all are of heroic size.
The bridges in the Natural Bridges Monument are known as the
Sipapu or Augusta Bridge, the Kachima or Caroline Bridge, and the
Owachomo or Little Bridge. The former of each of these names is of
Indian origin and is the official one.
These three bridges are all within a small area. The Sipapu is 260
feet long on the bottom; the span is 157 feet high and 22 feet above
the creek-bed. Its road-bed width is 28 feet. The Kachima Bridge has
a span of 156 feet, a total height of 205 feet, and a width across the
top of 49 feet. The Owachomo Bridge has a light, graceful structure.
Its span is 194 feet and its surface 108 feet above the bottom. The
arching part has a thickness of only 10 feet.
RAINBOW NATURAL
BRIDGE
RAINBOW NATIONAL
MONUMENT
The Rainbow Bridge, whose official name is Nonnezoshie, is more
of a magnificent rainbow arch than a bridge. It has splendid and
striking proportions. Its great graceful arch is 308 feet high and 274
feet long.
These bridges are of sandstone of reddish cast, stained in many
places with blackish or greenish lichens and rust. Like any other
rock-forms, they are the product of various erosive forces—
illustrating the survival of the fittest. Their material, being slightly
more durable than that of the now vanished rocks, or possibly less
severely tested, has endured while the other material has been
dissolved and worn away. In the fashioning of the surface of the
earth Nature sometimes makes beautiful and imposing statuary. She
has done so here. In the surrounding country are turrets, cisterns,
wells, conelike and dome-like caves and caverns, and nearly
complete arches. In fact, arches and bridges showing every degree
of completion and past prime condition may be seen. Near by are
numerous deserted cliff dwellings. These unusual structures leave a
lasting impression on every visitor. Plans are already under way to
make these wonders easily accessible to the public.
ebookbell.com