Building Java Programs A Back to Basics Approach 4th Edition Reges Test Bankdownload
Building Java Programs A Back to Basics Approach 4th Edition Reges Test Bankdownload
https://testbankdeal.com/product/building-java-programs-a-back-
to-basics-approach-4th-edition-reges-test-bank/
https://testbankdeal.com/product/building-java-programs-a-back-to-
basics-approach-4th-edition-reges-solutions-manual/
https://testbankdeal.com/product/building-java-programs-3rd-edition-
reges-test-bank/
https://testbankdeal.com/product/medical-terminology-a-word-building-
approach-7th-edition-rice-test-bank/
https://testbankdeal.com/product/elementary-statistics-picturing-the-
world-5th-edition-larson-solutions-manual/
Larsens Human Embryology 4th Edition Schoenwolf Test Bank
https://testbankdeal.com/product/larsens-human-embryology-4th-edition-
schoenwolf-test-bank/
https://testbankdeal.com/product/human-relations-in-organizations-
applications-and-skill-building-10th-edition-lussier-test-bank/
https://testbankdeal.com/product/research-methods-for-the-behavioral-
sciences-4th-edition-stangor-test-bank/
https://testbankdeal.com/product/navigating-through-mathematics-1st-
edition-collins-test-bank/
https://testbankdeal.com/product/multinational-business-finance-14th-
edition-eiteman-solutions-manual/
Human Physiology From Cells to Systems 8th Edition
Lauralee Sherwood Solutions Manual
https://testbankdeal.com/product/human-physiology-from-cells-to-
systems-8th-edition-lauralee-sherwood-solutions-manual/
Sample Final Exam #6
(Summer 2008; thanks to Hélène Martin)
1. Array Mystery
Consider the following method:
public static void arrayMystery(String[] a) {
for (int i = 0; i < a.length; i++) {
a[i] = a[i] + a[a.length - 1 - i];
}
}
Indicate in the right-hand column what values would be stored in the array after the method arrayMystery executes
if the array in the left-hand column is passed as a parameter to it.
Original Contents of Array Final Contents of Array
String[] a1 = {"a", "b", "c"};
arrayMystery(a1); _____________________________
1 of 9
2. Reference Semantics Mystery
The following program produces 4 lines of output. Write the output below, as it would appear on the console.
public class Pokemon {
int level;
battle(squirtle, hp);
System.out.println("Level " + squirtle.level + ", " + hp + " hp");
hp = hp + squirtle.level;
battle(squirtle, hp + 1);
System.out.println("Level " + squirtle.level + ", " + hp + " hp");
}
2 of 9
3. Inheritance Mystery
Assume that the following classes have been defined:
3 of 9
4. File Processing
Write a static method evaluate that accepts as a parameter a Scanner containing a series of tokens representing a
numeric expression involving addition and subtraction and that returns the value of the expression. For example, if a
Scanner called data contains the following tokens:
4.2 + 3.4 - 4.1
The call of evaluate(data); should evaluate the result as (4.2+3.4-4.1) = (7.6-4.1) = 3.5 and should return this
value as its result. Every expression will begin with a real number and then will have a series of operator/number
pairs that follow. The operators will be either + (addition) or - (subtraction). As in the example above, there will be
spaces separating numbers and operators. You may assume the expression is legal.
Your program should evaluate operators sequentially from left to right. For example, for this expression:
7.3 - 4.1 - 2.0
your method should evaluate the operators as follows:
7.3 - 4.1 - 2.0 = (7.3 - 4.1) - 2.0 = 3.2 - 2.0 = 1.2
The Scanner might contain just a number, in which case your method should return that number as its result.
4 of 9
5. File Processing
Write a static method blackjack that accepts as its parameter a Scanner for an input file containing a hand of
playing cards, and returns the point value of the hand in the card game Blackjack.
A card has a rank and a suit. There are 13 ranks: Ace, 2, 3, 4, 5, 6, 7, 8, 9, 10, Jack, Queen, and King. There are 4
suits: Clubs, Diamonds, Hearts, and Spades. A Blackjack hand's point value is the sum of its cards' point values. A
card's point value comes from its rank; the suit is irrelevant. In this problem, cards are worth the following points:
Rank Point Value
2-10 The card's rank (for example, a 7 is worth 7 points)
Jack (J), Queen (Q), King (K) 10 points each
Ace (A) 11 points (for this problem; simplified compared to real Blackjack)
The input file contains a single hand of cards, each represented by a pair of "<rank> <suit>" tokens. For example:
5 Diamonds
Q Spades
2 Spades 3 Hearts
Given the above input, your method should return 20, since the cards' point values are 5 + 10 + 2 + 3 = 20.
The input can be in mixed casing, have odd spacing between tokens, and can be split across lines. For example:
2 Hearts
j SPADES a Diamonds
2 ClUbS
A
hearts
Given the above input, your method should return 36, since the cards' point values are 2 + 10 + 11 + 2 + 11 = 36.
You may assume that the Scanner contains at least 1 card (two tokens) of input, and that no line will contain any
tokens other than valid card data. The real game of Blackjack has many other rules that you should ignore for this
problem, such as the notion of going "bust" once you exceed a score of 21.
5 of 9
6. Array Programming
Write a static method named allPlural that accepts an array of strings as a parameter and returns true only if
every string in the array is a plural word, and false otherwise. For this problem a plural word is defined as any
string that ends with the letter S, case-insensitively. The empty string "" is not considered a plural word, but the
single-letter string "s" or "S" is. Your method should return true if passed an empty array (one with 0 elements).
The table below shows calls to your method and the expected values returned:
Array Call and Value Returned
String[] a1 = {"snails", "DOGS", "Cats"}; allPlural(a1) returns true
String[] a2 = {"builds", "Is", "S", "THRILLs", "CS"}; allPlural(a2) returns true
String[] a3 = {}; allPlural(a3) returns true
String[] a4 = {"She", "sells", "sea", "SHELLS"}; allPlural(a4) returns false
String[] a5 = {"HANDS", "feet", "toes", "OxEn"}; allPlural(a5) returns false
String[] a6 = {"shoes", "", "socks"}; allPlural(a6) returns false
For full credit, your method should not modify the array's elements.
6 of 9
7. Array Programming
Write a static method named reverseChunks that accepts two parameters, an array of integers a and an integer
"chunk" size s, and reverses every s elements of a. For example, if s is 2 and array a stores {1, 2, 3, 4, 5, 6},
a is rearranged to store {2, 1, 4, 3, 6, 5}. With an s of 3 and the same elements {1, 2, 3, 4, 5, 6}, array
a is rearranged to store {3, 2, 1, 6, 5, 4}. The chunks on this page are underlined for convenience.
If a's length is not evenly divisible by s, the remaining elements are untouched. For example, if s is 4 and array a
stores {5, 4, 9, 2, 1, 7, 8, 6, 2, 10}, a is rearranged to store {2, 9, 4, 5, 6, 8, 7, 1, 2, 10}.
It is also possible that s is larger than a's entire length, in which case the array is not modified at all. You may assume
that s is 1 or greater (an s of 1 would not modify the array). If array a is empty, its contents should remain unchanged.
The following table shows some calls to your method and their expected results:
Array and Call Array Contents After Call
int[] a1 = {20, 10, 30, 60, 50, 40}; {10, 20, 60, 30, 40, 50}
reverseChunks(a1, 2);
int[] a2 = {2, 4, 6, 8, 10, 12, 14, 16}; {6, 4, 2, 12, 10, 8, 14, 16}
reverseChunks(a2, 3);
int[] a3 = {7, 1, 3, 5, 9, 8, 2, 6, 4, 10, 0, 12}; {9, 5, 3, 1, 7, 10, 4, 6, 2, 8, 0, 12}
reverseChunks(a3, 5);
int[] a4 = {1, 2, 3, 4, 5, 6}; {1, 2, 3, 4, 5, 6}
reverseChunks(a4, 8);
int[] a5 = {}; {}
reverseChunks(a5, 2);
7 of 9
8. Critters
Write a class Minnow that extends Critter from HW8, along with its movement and eating behavior. All other
aspects of Minnow use the defaults. Add fields, constructors, etc. as necessary to your class.
Minnow objects initially move in a S/E/S/E/... pattern. However, when a Minnow encounters food (when its eat
method is called), it should do all of the following:
• Do not eat the food.
• Start the movement cycle over. In other words, the next move after eat is called should always be South.
• Lengthen and reverse the horizontal portion of the movement cycle pattern.
The Minnow should reverse its horizontal direction and increase its horizontal movement distance by 1 for
subsequent cycles. For example, if the Minnow had been moving S/E/S/E, it will now move S/W/W/S/W/W. If
it hits a second piece of food, it will move S/E/E/E/S/E/E/E, and a third, S/W/W/W/W/S/W/W/W/W, and so on.
?
The following is an example timeline of a particular Minnow object's movement. The ??
timeline below is also drawn in the diagram at right. Underlined occurrences mark squares ??
where the Minnow found food. ???
???
• S, E, S, E (hits food) ?
????
• S, W, W, S, W, W, S (hits food) ????
• S, E, E, E, S, E, E, E, S, E (hits food) ??
• S (hits food) ?
??????
• S, E, E, E, E, E, S, E, E, E, E, E, ...
8 of 9
9. Classes and Objects
Suppose that you are provided with a pre-written class Date as // Each Date object stores a single
described at right. (The headings are shown, but not the method // month/day such as September 19.
bodies, to save space.) Assume that the fields, constructor, and // This class ignores leap years.
methods shown are already implemented. You may refer to them
or use them in solving this problem if necessary. public class Date {
private int month;
Write an instance method named bound that will be placed inside private int day;
the Date class to become a part of each Date object's behavior.
The bound method constrains a Date to within a given range of // Constructs a date with
dates. It accepts two other Date objects d1 and d2 as parameters; // the given month and day.
public Date(int m, int d)
d1's date is guaranteed to represent a date that comes no later in
the year than d2's date. // Returns the date's day.
The bound method makes sure that this Date object is between public int getDay()
d1's and d2's dates, inclusive. If this Date object is not between
// Returns the date's month.
those dates inclusive, it is adjusted to the nearest date in the public int getMonth()
acceptable range. The method returns a result of true if this
Date was within the acceptable range, or false if it was shifted. // Returns the number of days
// in this date's month.
For example, given the following Date objects: public int daysInMonth()
Date date1 = new Date(7, 12);
Date date2 = new Date(10, 31); // Modifies this date's state
Date date3 = new Date(9, 19); // so that it has moved forward
Date bound1 = new Date(8, 4); // in time by 1 day, wrapping
Date bound2 = new Date(9, 26); // around into the next month
Date bound3 = new Date(12, 25); // or year if necessary.
// example: 9/19 -> 9/20
The following calls to your method should adjust the given Date // example: 9/30 -> 10/1
objects to represent the following dates and should return the // example: 12/31 -> 1/1
following results: public void nextDay()
call date becomes returns
date1.bound(bound1, bound2) 8/4 false
// your method would go here
date2.bound(bound1, bound2) 9/26 false
date3.bound(bound1, bound3) 9/19 true }
date2.bound(bound3, bound3) 12/25 false
9 of 9
Other documents randomly have
different content
which has been quoted by every one of the historians of the voyage from D'Anville to
Lauridsen. I transcribe it from Brooke's translation of 1736, pp. 437-8.
"The provisions consisted of Carrots for want of Corn (=grain or wheat), the fat of
Fish uncured served instead of Butter and salt fish supplied the place of all other
meats."
Campbell in Harris' Voyages, p. 1020, still further enlarges this statement and
Lauridsen puts it
"Fish oil was his butter and dried fish his beef and pork. Salt he was obliged to get
from the sea," and "he distilled spirits from 'sweet straw.'"
This gives a totally false idea of the supplies provided for the expedition. Bering
received from Yakutsk over forty-two tons of flour, and large numbers, fifty at a time,
of the small Siberian cattle were driven on the hoof to Okhotsk where their flesh was
partly dried and partly salted. On his return he delivered surplus supplies to the
proper officers in Kamchatka and at Okhotsk ever 30,000 lbs. of meal, flour and salt
meat. There were at that time no carrots to be had in Kamchatka as Bering himself
testifies. Salted salmon then as now, formed a staple article of diet in Kamchatka and
was without doubt included in his stores. The delicate fat obtained by boiling the
bellies of the salmon, is annually prepared in Kamchatka and is regarded to this day
as a great delicacy (cf. Voyage of the Marchesa, 2d edition, p. 135.) A store of it
might without any hardship be furnished to the commander for use as butter. Salt he
obtained as it is usually obtained by evaporating sea-water, and the absence of strong
drink of European origin was supplied by a distillation of the stalks of the bear's foot
or "sweet herb" of the Cossacks (Heracleum dulce Kittlitz), long used for that purpose
by the Russians in Siberia and from which, even in modern times, according to
Seemann, the Kamchadales secured additions to their scanty supply of syrup or sugar.
The supplies then of the expedition, were not inferior to those in common use at sea
at that period, and as far as health is concerned were certainly less likely to result in
an invasion of scurvy than the use of salt beef and pork alone would have been.
It must be remembered that the fare on naval vessels all over the world in those
days, was rude and coarse to a degree now long unknown and that it was not until
the voyages of Cook, nearly half a century later, that the antiscorbutic and varied
regimen, now usually enforced by law in maritime nations, was even thought of.
It is not clear from Lauridsen's account whether in the above list are or are not
included the two mates, Richard Engel and George Morison, or the cartographer
Potiloff, who started with Bering from St. Petersburg. Luzhin was left behind, being ill.
Notes.—The variation of the compass in 1885 was 2° 30' easterly (Schott). As will be
seen by the Table of Positions, the latitude above given for the cape is not the same
as that adopted by Bering on his chart. The depth mentioned shows that the Gabriel
must have kept within a few miles, probably not exceeding ten, from the shore and
the very slow progress made, as indicated by the log, not much exceeding two miles
an hour gives rise to the suspicion that, in the early part of the voyage, in order to
keep their survey continuous, they probably lay to during the hours of darkness. Off
Karaginski Island the variation of the compass was determined to be the same as at
the mouth of the Kamchatka river.
From this date to the 27th, the accessible authorities give no data, and the expedition
probably pursued its way uneventfully.
July 27/Aug. 7. This day a prominent Cape was passed at a distance
of some three miles. [It was named St. Thaddeus, after the saint on
whose holy day it was again seen on the return voyage.] Many
grampus, porpoises, seals and sealions were seen (L.).
Notes.—This Cape St. Thaddeus is not the cape of the same name on modern charts,
but the cape now known as Cape Navarin. This is evident from Bering's chart.
Bering's position for the cape is in error about fifteen miles in latitude and three
degrees in longitude on his chart, while in the list of positions, the error is only about
five miles of latitude and half a degree in longitude.
From near Cape Thaddeus Bering stood across Anadyr Gulf, out of sight of the low
land, missing Anadyr Bay, and thereby falling into the error of placing on his chart the
mouth of the Anadyr River south of the cape. The error was subsequently corrected
by G. F. Müller.
Lauridsen observes (American edition, p. 30), that "having sailed past the Anadyr
River without quite being able to find their bearings, in regions of which they had not
a single astronomical determination," etc. This is absurd. They had a compass and
there is no reason why they should not find their bearings, and it is certain they were
there to make observations and not to verify those already made. No apology is
needed for Bering's determination to press more rapidly northward. It was in
accordance with common sense, considering the lateness of the season and the
uncertainty of what they had to accomplish before the season closed.
Aug. 1/12. Festival of the Holy Cross. The expedition saw land to the
northward and soon after entered a great bay which they named
Holy Cross Bay. This they explored to the river at its head which they
named Bolshoia (Great) River, and on the western point of entrance
the latitude was, Aug. 2/13, observed to be 65° 35' north, while the
longitude by dead reckoning was estimated at 182° 15' east of
Greenwich, and the magnetic variation ¾ of a point easterly.
Notes.—Lauridsen says (p. 31, American edition) that in Holy Cross Bay the Gabriel
spent two days under sail in search of fresh water and a place to anchor. This is
extremely singular, as there is an anchorage immediately at the entrance to the bay,
on the starboard hand, and runs of fresh water are abundant. The application of an
obvious correction10 to the list of positions given by Campbell makes the position at
the western elbow or spit, at the mouth of Holy Cross Bay, that which is given above.
This position is over a degree too far west and over six miles too far south. But
Lauridsen (quoting Campbell without observing the blunder?) not stating the source
of his information, gives a position (N. Lat. 62° 50') which is two hundred and twelve
miles too far south and the English translation improves upon this by making it 60°
50', or three hundred and thirty-two miles south of the truth, or two hundred and
sixty-five miles south of the entrance to the bay as platted on Bering's own chart.
[10 In Harris' Voy., 2d ed., ii, p. 1021, Bering's table of positions is printed:
Long. E.
N. Lat.
Tobolsk.
Nischuvi Kamschatska Oostrog 56° 11', 98° 30'
The Mouth of the river of the Apostle
56° 03', 96° 10'
Thadeus and the Cape
The Elbow of the river Swetoi Krest 62° 20', 111° 32'
Eastern Point 65° 35', 115° 15'
Long. E.
N. Lat.
Tobolsk.
Nizhni Kamschatsk Ostrog 56° 11', 95° 30'
The mouth of the River (Kamchatka) 56° 03', 96° 10'
The Cape of the Apostle Thaddens 62° 20', 111° 32'
The western cape (or spit) of Svietoi
65° 35', 115° 15'
Krest Bay
The words in parentheses are added by the writer for clearness. It is somewhat
surprising that in using this table nobody seems to have recognized these errors.]
Bering's table in his report and Bering's chart as printed by D'Anville differ from each
other fifteen miles in latitude and two degrees and twenty-five minutes or nearly
seventy-five miles in longitude. The chart is the more correct, but it differs more than
thirty miles in latitude and nearly a degree in longitude from the modern observations
of Lütké and Rodgers for the same locality. After leaving Holy Cross Bay, the voyage
was continued to the southeast along the "high and rocky coast" of which Lauridsen
(probably paraphrasing Bergh) says that "every indentation was very carefully
explored." This is obviously a flight of fancy, since a good part of this coast is low and
sandy, while there is no indication of two excellent harbors which it affords, on any of
the charts of Bering or his successors in that century.
Aug. 6/17, 1728. This day, the festival of the Transfiguration, found
the Gabriel entering a small bay, which on that account was named
Transfiguration (Preobrazhenia) Bay. Here they anchored (L.).
Lieutenant Chaplin was sent ashore for water and found native huts
but no people.
Notes.—This bay has never been surveyed, and on the best modern charts is merely
indicated, while on many others it is omitted altogether or the name transferred to
the anchorage north of Cape Bering or to Plover Bay. Bering's position for the spit at
the entrance of Transfiguration Bay is two degrees and a quarter too far east and
sixteen miles too far north by the table, but his chart gives the position much more
closely, with a difference from Rodgers' chart of not exceeding five miles.
Note.—The total eclipse of the moon of this date could hardly have been observed by
Bering, since the moon must have been close to the horizon and first contact of the
shadow occurred only about five minutes before the moon set. As Bering does not
mention it, it is not likely that he noted the eclipse.
The people of this part of the coast call themselves Tsau-chú, which is their tribal
name. The similar name of another branch living near the Anadyr River has been
corrupted into the word Chuk-chi, by the Russians, from which we derive our general
name for these people. Lauridsen says "Breden var 64° 41'" which in the American
edition stands, "the longitude (sic) was 64° 41'." But the original and all the variants
of Bering's own report make the latitude 64° 30' which is correct. If it had been 64°
41' they would have been north of their own position for Transfiguration Bay, from
which their course had been S.S.E., therefore the 41' is certainly erroneous.
On Bering's chart he refers to the point of the coast where the shore changes its
direction under the name Chukotskago Noss, which means the promontory of the
Chukchi, though this is not the same as the Chukchi Cape of the Anadyr Cossacks,
who so denominated the eastern extreme of Asia, which they knew from report and
by the voyage of Deshneff. There can be no reasonable doubt that Bering named his
cape after the people who had described it to him, although the imperfections of the
record leave this to be inferred. Bering's map gives the latitude of the south extreme
of the cape as about 64° 02', and it is erroneously represented as extending south of
the latitude of the northwest end of St. Lawrence Island. Its real latitude is about
fifteen miles further north. Cook made it 64° 13'. Chaplin's journal (according to
Lauridsen) makes it 64° 18', which would agree with the latest surveys very nearly,
though the coincidence must be regarded as a happy accident in view of their
imperfect tables, instruments and methods. Bering's report places its eastern extreme
in 64° 25' and (wrongly) in the same longitude as the west end of St. Lawrence
Island.
Aug. 11/22. At noon the latitude was estimated at 64° 20', and at
sunset an attempt was made by the determination of the magnetic
variation to get the longitude (L.).
Notes.—An illustration of the want of care with which Lauridsen has weighed his
comments, it may be pointed out that he claims (p. 32, Am. Ed.) that on reaching
latitude 64° 20' the Gabriel was in Bering Strait, while two pages later, on her return
southward, he declares her to have got out of the strait on reaching latitude 64° 27'!
As a matter of fact, at the present day, the whalers and traders of this region consider
that Cape Chaplin (more commonly known as Indian Point) forms the southwest point
of entrance to the strait; and this point is situated in latitude 64° 25' and E. longitude
187° 40', as determined by the writer in 1880. This is perhaps the point referred to
by Bering as the eastern point of his Chukotskoi Cape.
The magnetic method of determining the longitude would give correct results only
accidentally, as previously explained. The result announced by Lauridsen for the
present occasion is 25° 31' east from Lower Kamchatka Ostrog or 187° 51' east from
Greenwich, which would be within a few miles of the latest determinations. But it is
obvious from Bering's map that he could not have made his position less than 28° 45'
east from Lower Kamchatka, and the position above given is perhaps an interpolation
from modern sources, which has been misunderstood or mistranslated. As Lauridsen
has paraphrased, not quoted, it is impossible in the absence of Bergh's original to
determine who is responsible for the incongruity. An interpolation seems the more
likely since Bering himself gives the longitude as 189° 55' E. Gr.11
[11 A glance at Bergh shows that this statement of Lauridsen is simply a blunder.
Bergh only says they obtained the magnetic variation (25° 31' easterly) by an
amplitude observation! Longitude is not mentioned, nor Kamchatka.]
Aug. 12/23. From noon of the 11th to noon of this day, the Gabriel
sailed sixty-nine miles, but the difference of latitude was only 21
miles. The wind was light to fresh and the weather overcast (L.).
Notes.—If the above statement be taken literally with the assumption that they were
at noon of the 11th in latitude 64° 20' and E. longitude 188° from Greenwich, it
would give their position for noon of the 12th as 64° 49' and longitude 190° 45' E.
Gr., which does not at all accord with the subsequently narrated course, etc. If we
proceed on the hypothesis that it means that the log recorded 69 miles and that only
29 miles were made good (which might easily happen if the polar current were
running strong on the west side of the strait) and that their course was parallel with
the Siberian shore in a general way they would have been, at noon of August 12th, in
latitude 64° 49' and longitude 188° E. Gr. or thereabouts, which agrees very fairly
with the known circumstances.
Aug. 13/24. A fresh breeze and cloudy weather. The Gabriel sailed
the whole day with no land in sight and the difference in latitude
was only 78 miles at noon, reckoned from noon of the 12th. The
wind diminished toward night.
Notes.—Under any hypothesis either the run of the vessel was underestimated or the
latitude was overestimated. Adding the estimated run to the position attained under
our hypothesis for the 12th and 13th it will put the Gabriel at noon, August 14th, in
about north latitude 66° 24' and longitude E. Gr. 191° 30'. Chaplin's reckoning as
given by Lauridsen would have put the Gabriel more than fifty miles off shore when
the land spoken of would have been out of sight. Our hypothesis puts her about
twenty-eight miles N.E. true from East Cape when the high land of either shore,
under favorable circumstances, might have been seen even if the sky were overcast.
Clouds do not interfere with seeing, unless attended by fog or haze. During this day
the Gabriel had sailed between East Cape and the islands now known as the
Diomedes; the shore being near by. Why then should it be noted in the log that "high
land was seen astern" at noon? The high land of Siberia they had seen and sailed
along for days in full sight of it. It seems to us that this excludes the idea that the log
refers to the Siberian highland and that what was seen was the loom of land not
before seen, as of the Diomedes or even of America. It may not have been clear to
the commander and yet have been marked enough for the subordinate officer to have
put it in his log, with the dead reckoning and daily notes.12 On several old charts
mention is made of land seen by Spanberg which is supposed to have been America,
after Gwosdeff had confirmed the existence of the American mainland in that
direction and Synd had landed upon it. This suggestion is not unimportant in
connection with the subsequent conduct of Bering and will be referred to again in its
proper connection. The further fact that all early printed versions of Bering's list of
positions, refer to the modern Diomedes only as the island of St. Demetrius and that
this day was the festival of that obscure saint, lends further confirmation to the above
suggestions.
[12 Lauridsen gets over the discrepancy by putting the word "still" before "seen" (Am.
Ed., p. 41), but there is nothing in the original sources to confirm this view of the
matter.]
Note.—The nautical day Aug. 15 extending from noon of the 14th to noon of the 15th
is altogether omitted from the American translation of Lauridsen's book. The position
for the turning point estimated by Chaplin is manifestly by dead reckoning, as the sky
was cloudy. It was not adopted in the list of positions published by Campbell in Harris'
Voyages nor on Bering's map. In the former the longitude he adopts is 27° 37' east of
Lower Kamchatka fort, and this agrees exactly with the point on the coast in Du
Halde's engraving of Bering's map where the mountains cease to be put down near
the shore, the point on the north coast of Siberia where Lauridsen, and Chaplin as
quoted by him, say Bering did not go, and the point which has been generally
regarded as Bering's farthest!
If we apply the distance and direction from Chaplin's journal to the course of the
Gabriel platted from his preceding data, literally, it will put the turning point of the
voyage in N. latitude 67° 32' and E. longitude 193° 37' or thereabouts, which is about
thirty-five miles off the American coast southwest from Cape Seppings. But if we do
this the position is far from agreeing with Chaplin's. By applying the hypothetical
correction which we have heretofore used, the position would be in latitude 67° 24'
and E. longitude 193° 15' from Greenwich or 31° east from Lower Kamchatka fort,
agreeing more nearly with Chaplin. On the other hand the position off Cape Seppings
agrees better with Chaplin's figures for the remainder of the day.
August 16/27. Saint Diomede's day. The Gabriel had kept on her
course with a free wind making more than seven knots (miles) an
hour. At nine in the morning they found themselves off a high
promontory on the west, where there were Chukchi habitations. On
the east and seaward they saw an island, which it was proposed to
call after the saint of the day. At noon the vessel had made since the
previous noon 115 miles and had reached latitude 66° 02'.
Continuing on their way, with a fresh breeze and cloudy weather,
they sailed along the Asiatic coast near enough to observe many
natives and at two places they saw dwellings. At three P.M. very high
land and mountains were passed (probably the highlands near St.
Lawrence Bay).
Notes.—From 3 P.M. Aug. 15th to 9 A.M. Aug. 16th is 18 hours, which at seven knots
an hour (allowing the alleged excess to be the equivalent of the drift caused by the
current) would amount to 126 miles. Deduct from this the seven miles sailed between
noon and 3 P.M. Aug. 15th in the opposite direction and we have remaining 119 miles
made on the homeward voyage at a time when the Gabriel was between the
Diomedes and East Cape, or at least in plain sight of both. But three hours later, at
noon, according to Lauridsen, they had made only 115 miles in all, although the
breeze was fresh and fair. From Chaplin's position for the turning point to latitude 66°
02' off East Cape is 96 miles. From our hypothetically corrected position for the
turning point, off Cape Seppings, the distance would be to the same place 126 miles,
or thereabouts. It is evident that there is a miscalculation, or an error in the record
here, which, without further data, it is not possible to correct.
It is certain that Bering with whom the right of naming any new island would have
rested, did not then name the island above mentioned after St Diomede. On all copies
of the earlier version of his chart it appears if at all under the name of the Island of
St. Demetrius. From this we may suspect that he identified it with the high land seen
Aug. 14th, St. Demetrius' day, while others on board, suspecting they were not the
same proposed the name of Diomede for the present island; regarding the high land
as something distinct. If the hardy and self-willed Spanberg was the one who
reported the land Aug. 14th, and if he saw the high land about Cape Prince of Wales,
as several old charts allege, he would have been the last to admit that the relatively
small and adjacent island now seen, should be identified with his discovery.
Aug. 17/28. The breeze having been strong and fair an observation
at noon indicated that the latitude was 64° 27' and that the Gabriel
had sailed 164 miles since noon of the 16th. In the afternoon the
weather was clear and the wind became light. (The Gabriel must
have come out of the strait this afternoon).
Notes.—A distance of 164 miles from the position of the previous noon would have
put the Gabriel in latitude 63° 38'. The distance on the general course sailed by the
Gabriel from 66° 02' to 64° 27' is about 107 miles. It is possible that in copying or
printing 104 miles has become transmuted to 164 miles. There is an obvious error
here of some kind.
Aug. 18/29. (Lauridsen does not refer to any record for this day, but
it is probable that the wind continued light and the weather fair and
that the Gabriel was slowly working her way westward and
southward in the vicinity of Cape Chukotski.)
Aug. 19/30. In the afternoon being in the vicinity of the place where
they had met the Chukchi boat on the outward voyage, four baidars
were seen with their crews pulling for the vessel, which accordingly
lay by for them to come up with her. There were ten natives to each
baidar, or forty in all. They brought reindeer meat, fish, and fresh
water in large bladders for sale for which they were suitably
rewarded, while the crew of the Gabriel obtained from them skins of
the red and the polar foxes and four walrus teeth, which the natives
bartered for needles, flint-and-steel for striking fire, and iron. These
Chukchi told them that they went over land to trade at the Kolyma
River, carrying their goods with reindeer, and that they never went
by sea. They had long known the Russians and one of them had
even been to the Anadyrsk fort to trade. From this man they had
hopes of gaining valuable information but he could tell them nothing
more than they had learned from the first Chukchis who had been
questioned.
Aug. 30/Sept. 10. A heavy storm arose with fog and the Gabriel
finding herself dangerously close to the shore anchored near the
land to ride it out. A note in Harris indicates that they may have
been near Karaginski Island.
Aug. 31/Sept. 11. At one P.M. the storm had abated, but in weighing
anchor the cable had been so chafed by the rocky bottom that it
parted and they lost the anchor, and were obliged to put to sea
without recovering it.
Note.—The Gabriel was secured in a slough of the river and the party went up the
river to the fort of Lower Kamchatka where Bering passed the winter.
It is certain that the residents of Kamchatka and others more or less familiar with the
reports of Cossack explorations in Chukchi-land were not altogether satisfied with the
summary manner in which exploration had been given up by Bering, and his apparent
assumption that there was no adjacent land to the eastward except small islands.
More or less such discussion and criticism could hardly have failed to reach his ears,
and his reflections may have led him to think that, after all, he had been too hasty.
Trees not indigenous to Kamchatka had been seen floating near the shores, no heavy
breakers ever proceeded from the eastward and it was even alleged that land or the
loom of land might be seen to the east from the coast mountains in very clear
weather. On account of these and other reasons14 which were urged by residents of
the country, Bering determined to make a new trial. Instead of proceeding directly to
Okhotsk across Kamchatka he fitted out the Gabriel for another voyage. Beside the
fact that Luzhin, one of his cartographers, had explored the Kurile Islands lying next
to Kamchatka, the vessel Fortuna during Bering's absence had doubled Cape Lopatka
and was anchored in the Kamchatka River when Bering entered it on his return. It
was therefore evident that the straits were navigable and the return voyage might be
made that way. Spanberg was ordered to Bolsheretsk "on account of illness" (L.), and
it is possible he took the Fortuna back there since she had already returned to
Bolsheretsk when Bering reached that port, on his way to Okhotsk.
[14 The natives even claimed that a man had been stranded on the coast of
Kamchatka in 1715, who stated that his own country lay to the eastward and
contained forests with high trees and large rivers. (Lauridsen, op. cit. Am. ed. p. 51).
Bering himself states that he made the search of 1729 at the instance of the
Kamchatkan residents.]
Lauridsen has ascribed to Bering's own initiative the willingness to make another
search for land as if these ideas were original with him. It is evident that this is
unjustified and fanciful. Müller's account shows that the incitement to a second
attempt proceeded from the residents of the country and that Bering complied with
their suggestions; and Bering says so himself in his report.
On June15 5/16, 1729, the Gabriel left the mouth of the Kamchatka River and stood
to the eastward, directly off shore. She continued on this course about forty-eight
hours, sailing a distance variously estimated at from ninety to one hundred and thirty
miles. The weather was foggy, no land was seen, the wind shifted to dead ahead at
east northeast, and on the third day Bering gave up the search and steered for the
southern coast of Kamchatka, the extreme of which is marked by the point known as
Narrow (Ooskoi) Cape, or more generally as Shovel (Lopatka) Cape, from its low
square termination. He determined the latitude of this cape, and passing through the
strait south of it reached Bolsheretsk on the west coast of the peninsula on the
second of July. Most of this time was probably spent in tracing the form of the
southern part of Kamchatka. Half way between the Kamchatka River and the coast
the variation was observed to be one point easterly, and off Avatcha Bay three-
quarters of a point easterly.
In the American translation of Lauridsen it is said (p. 51) that Bering fixed the
difference of latitude (for which one should read longitude) between Bolsheretsk and
Lower Kamchatka Ostrog at 6° 29'. But on Bering's maps the difference is only 3° 50',
while in his list of positions no longitude is assigned to Lower Kamchatka post. In
Campbell's list it stands at 8° 39', which the correction of an evident error of 98° for
95° reduces to 5° 39'. The true difference of longitude according to the latest charts
is about 5° 25'. Where Lauridsen got his figures he does not state. Campbell, in
Harris, states that Bering was the first navigator to double Cape Lopatka, but the
Fortuna had made this voyage in 1728, though her commander is not known.
At Bolsheretsk Bering left a crew for the Fortuna which had returned thither; turned
over some of his surplus stores to the local authorities and on the 14/25 July sailed
from the Bolshoia River for Okhotsk. Here he arrived July 23/Aug. 3 and after some
days spent in turning over government property to the local officials and procuring his
horses and outfit, he left Okhotsk July 29/Aug. 9 on the overland journey to St.
Petersburg. The second eclipse of the moon for the year occurred on this day, but
during hours of daylight, and hence was invisible in this part of Asia.
After an uneventful but successful journey Bering arrived in St. Petersburg Mar. 1/12,
1730, bringing with him, according to Du Halde, the map and report he had prepared
upon his explorations.
17 Date of Campbell's Harris' Voy., 1748; date of table of positions, 1728; fide
Campbell, 1021, col. 2.
18 The positions in this column are taken from the most recent charts of the U. S.
Coast Survey and the U. S. and Russian Hydrographic bureaux.
21 Campbell has 98° 30' E. of Tobolsk, an error(?), for 95° 30' (=162° 30' E. Gr.).
Bering omits this position.
25 Bering gives both east and west points of entrance in his table.
29 The island is omitted by Du Halde and Müller, but appears on Campbell's version of
Bering's chart.
33 From Jefferys' copy of the chart; on p. 47 of text N. Lat. 67° 18' appears but no
longitude is given.
34 From the chart; on p. 114 of text it is given as 53° 01' 45". Krassilnikoff (see note
19), made it N. Lat. 53° 01' and 158° 10' E. Lon. from Greenwich, from eclipses of
Jupiter's satellites.
36 Oskoi (error for Ooskoi), on most early charts; sometimes Osnoi (error for
Uzhnoi=southern).
Whatever praise we may feel due to Bering and his companions, and
it is certainly no stinted allowance, the appreciation of their struggles
cannot fail to include with justice, the still more remarkable and
nearly forgotten pioneer labors of the undaunted Siberiaks, who
paved the way, not only for Bering's weary journey, but for the slow
yet never ceasing march of civilization.
Leaving out of account the continent within half a day's sail which he
fairly ran away from, ignorantly, where is there anything
adventurous, daring or heroic in such conduct?
It is evident that if Bering had sailed along the coast which the
Chukchis said extended to the westward, instead of going off shore,
away from it, he would have confirmed that part of their testimony,
and given high probability to the assumption of their correctness in
the rest.
We find that all the authorities who published in the last century
copies of Bering's map and accounts of his expedition arrived at
what Lauridsen calls an "interesting misunderstanding."
In his report he states that their northernmost latitude was 67° 18',
that "all along the seacoast to this place wind elevated mountains."
On turning to the Du Halde chart we find the range of mountains
continued along the Chukchi coast until it reaches the latitude of 67°
18' where it stops. If Bering drew the chart so, it would have been
deception, but it is quite as probable that the editor modified the
chart in engraving it, to correspond to his understanding of Bering's
ambiguity. As this would present nothing questionable to the reader,
in the absence of the details omitted by Bering, it would have been
nothing surprising if Campbell's interpolation of a false longitude for
Lower Kamchatka, in his list of positions, might have been, not a
typographical error, but an attempt to make the position agree with
this erroneous assumption. If it was a pure accident, the coincidence
is extraordinary. Of course Bering never was on this coast but Du
Halde's map is so engraved as to lead directly to the false inference
that he had been.
Again Bering says in his Report that at his turning point the land no
longer extended to the north and that no projecting points could be
observed in any direction. Since he had deliberately sailed away from
the shores without attempting to follow their trend this observation
would be absurd unless we suppose it addressed to a reader who
took it for granted that the vessel was still skirting the coast. There
is no mention in his Report of the fact that he had sailed away from
the coast, nor of the still more important fact that the soundings
showed that the water was comparatively shallow and discolored. Of
course in the absence of direct proof of the separation of Asia and
America this last evidence would tend to indicate that Bering was
only in a bay or shallow arm of the sea and that he suppressed it
shows, if not a want of candor, at least an injudicious reticence.
The map for the day when it was made (in the earlier version) was a
good one, and is appropriately praised by Cook, who had a copy of
Campbell's Harris on his vessel when exploring in the same region
fifty years later.
The impression which these facts leave upon the mind is that Bering
did certainly frame his language so as to convey the idea that his
evidence of the separation of the two continents and of the absence
of land eastward from Kamchatka was more conclusive than it was
in reality.
That this was done to avoid criticism seems a natural inference. That
an examination of his list of positions would have shown the location
of the point whence he turned back to be to the eastward of the
easternmost of his reported land is true, but his list of positions was
not published with his report, does not agree with his maps, and
when published by Campbell was garbled, as I have shown.
That the truth, however, did get out and that criticism was not
successfully avoided, is a matter of history. There can be little doubt
that Bering's anxiety to undertake the second expedition, which
followed, was stimulated by a desire to set these criticisms (which
would naturally be magnified by his enemies) finally at rest.
Note—The reception of the original work of Bergh while reading the proofs of these
pages has enabled me to correct several errors of previous writers, but it was too late
to incorporate here the additional material which Bergh's work affords. This will
enable me to add, in a future publication, some historical data which have never
appeared in English and which are necessary to complete the record. I desire in this
place to express my gratitude for and appreciation of the liberality of the authorities
of that ancient seat of learning, the University of Upsala, as exhibited in their
willingness to send such a valuable document to a foreign student half around the
world for purposes of historical research.
1728, Feb. 24. 1728, Aug. 19. 1729, Feb. 13. 1729, Aug. 8.
Eclipse begins 18h 32m 4h 07m 7h 45m 12h 02m
Total immersion —— —— 8 46 13 02
Middle of eclipse 20 0 5 35 9 35 13 52
Emersion begins —— —— 10 24 14 42
Eclipse ends 21 29 7 03 11 25 15 42
Digits eclipsed 9 51 S. 7 45 N. 19 46 19 44 S.
Sun rises 18 36 —— —— ——
Sun sets —— 6 49 —— ——
Eclipse Partial Partial Total Total.
Sun's declination –9° 38' +12° 42' –13° 16' +16° 09'
" hourly motion + 0.9 – 0.8 + 0.8 – 0.7
At the date of the first eclipse Bering was on his way across the
southern end of Kamchatka from Bolsheretsk to Lower Kamchatka.
This would make his position somewhere near latitude 55° N. and
longitude 160° or 10h 40m E. from Greenwich.
He was therefore 10h 12m east of Bonn for which we have the
elements of this eclipse as computed by Manfred. With this data
together with the latitude and sun's declination we have the
following data for the eclipse in the region where Bering was.
This means that the sun set, bearing about W. by S. ½ S., and the
moon rose in partial eclipse, bearing about E. by N. ½ N., at 5h 07m
after apparent noon or 23 minutes after the eclipse had begun. The
eclipse lasted for 2h 34m after sunset, or until 7h 41m in the evening,
thus rendering observation of the last contact plainly visible.
At the date of the second eclipse of 1728, August 19, Bering was at
sea somewhere in the vicinity of the strait which bears his name.
Assuming his position to have been latitude 65° N. and longitude
188° or 12h 32m E. from Greenwich, equal to 12h 04m E. from Bonn,
and as before taking the data from Manfred's ephemeris we have as
follows:
It thus appears that the first contact of this partial eclipse of the
northern limb of the moon may have been just barely visible to
Bering. The moon bearing about SW. by W. was entering the earth's
shadow about five minutes before the sun's rising and its own
setting. If much importance attaches to determining the possibility
to Bering of observing this eclipse then a more precise calculation is
needful.
At the date of the first lunar eclipse of 1729, February 13, Bering
was at Lower Kamchatka, in latitude 56° 03' N. and longitude 162°
15' or 10h 49m E. from Greenwich equal to 10h 21m E. from Bonn. For
this place we have from Manfred:
Thus it appears that this total and almost central eclipse of the moon
lasting 3h 40m began at Bering's station 1h and 15m before sunrise of
February 14, the total immersion occurring 14 minutes before
sunrise. It is manifest, therefore, that Bering might have observed
this eclipse.
Updated editions will replace the previous one—the old editions will
be renamed.
1.D. The copyright laws of the place where you are located also
govern what you can do with this work. Copyright laws in most
countries are in a constant state of change. If you are outside the
United States, check the laws of your country in addition to the
terms of this agreement before downloading, copying, displaying,
performing, distributing or creating derivative works based on this
work or any other Project Gutenberg™ work. The Foundation makes
no representations concerning the copyright status of any work in
any country other than the United States.
testbankdeal.com