100% found this document useful (2 votes)
52 views

Introduction to Java Programming Comprehensive Version 9th Edition Liang Test Bank pdf download

The document provides links to various test banks and solution manuals for different editions of programming and psychology textbooks, including 'Introduction to Java Programming' and 'Understanding Psychology'. It also includes a section with programming exercises and multiple-choice questions related to Java programming concepts. Additionally, there are unrelated excerpts from other documents and reviews of various literary works.

Uploaded by

kileyokawa1p
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
100% found this document useful (2 votes)
52 views

Introduction to Java Programming Comprehensive Version 9th Edition Liang Test Bank pdf download

The document provides links to various test banks and solution manuals for different editions of programming and psychology textbooks, including 'Introduction to Java Programming' and 'Understanding Psychology'. It also includes a section with programming exercises and multiple-choice questions related to Java programming concepts. Additionally, there are unrelated excerpts from other documents and reviews of various literary works.

Uploaded by

kileyokawa1p
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 46

Introduction to Java Programming Comprehensive

Version 9th Edition Liang Test Bank download

https://testbankfan.com/product/introduction-to-java-programming-
comprehensive-version-9th-edition-liang-test-bank/

Find test banks or solution manuals at testbankfan.com today!


We believe these products will be a great fit for you. Click
the link to download now, or visit testbankfan.com
to discover even more!

Introduction to Java Programming Comprehensive Version


10th Edition Liang Test Bank

https://testbankfan.com/product/introduction-to-java-programming-
comprehensive-version-10th-edition-liang-test-bank/

Introduction to Java Programming Comprehensive Version


10th Edition Liang Solutions Manual

https://testbankfan.com/product/introduction-to-java-programming-
comprehensive-version-10th-edition-liang-solutions-manual/

Introduction to Java Programming Brief Version 10th


Edition Liang Test Bank

https://testbankfan.com/product/introduction-to-java-programming-
brief-version-10th-edition-liang-test-bank/

THINK Sociology Canadian 2nd Edition Carl Solutions Manual

https://testbankfan.com/product/think-sociology-canadian-2nd-edition-
carl-solutions-manual/
Starting Out with Python 4th Edition Gaddis Test Bank

https://testbankfan.com/product/starting-out-with-python-4th-edition-
gaddis-test-bank/

Psychology Themes and Variations 8th Edition Weiten Test


Bank

https://testbankfan.com/product/psychology-themes-and-variations-8th-
edition-weiten-test-bank/

Illustrated Microsoft Office 365 and PowerPoint 2016


Introductory 1st Edition Beskeen Solutions Manual

https://testbankfan.com/product/illustrated-microsoft-office-365-and-
powerpoint-2016-introductory-1st-edition-beskeen-solutions-manual/

Pharmacology and the Nursing Process 8th Edition Lilley


Snyder Test Bank

https://testbankfan.com/product/pharmacology-and-the-nursing-
process-8th-edition-lilley-snyder-test-bank/

Effective Human Relations Interpersonal And Organizational


Applications 13th Edition Reece Solutions Manual

https://testbankfan.com/product/effective-human-relations-
interpersonal-and-organizational-applications-13th-edition-reece-
solutions-manual/
Understanding Psychology 12th Edition Feldman Test Bank

https://testbankfan.com/product/understanding-psychology-12th-edition-
feldman-test-bank/
Name:_______________________ CSCI 1302 OO Programming
Armstrong Atlantic State University
(50 minutes) Instructor: Y. Daniel Liang

Part I:

(A)
B’s constructor is invoked
A’s constructor is invoked

(B)
(a) The program has a syntax error because x does not have the compareTo
method.

(b) The program has a syntax error because the member access operator (.) is
executed before the casting operator.

(C)
(1) false
(2) true
(3) false (because they are created at different times)
(4) true

(D) Will statement3 be executed?


Answer: No.

If the exception is not caught, will statement4 be executed?


Answer: No.

If the exception is caught in the catch clause, will statement4 be


executed?
Answer: Yes.

(E) The method throws a checked exception. You have to declare to throw
the exception in the method header.

Part II:

public static Comparable max(Comparable[] a) {


Comparable result = a[0];

for (int i = 1; i < a.length; i++)


if (result.compareTo(a[i]) < 0)
result = a[i];

1
return result;
}

public class Hexagon extends GeometricObject implements Comparable {


private double side;

/** Construct a Hexagon with the specified side */


public Hexagon(double side) {
// Implement it
this.side = side;
}

/** Implement the abstract method getArea in


GeometricObject */
public double getArea() {
// Implement it ( area = 3 * 3 * side * side )
return 3 * Math.squr(3) * side * side;
}

/** Implement the abstract method getPerimeter in


GeometricObject */
public double getPerimeter() {
// Implement it
Return 6 * side;
}

/** Implement the compareTo method in


the Comparable interface to */
public int compareTo(Object obj) {
// Implement it (compare two Hexagons based on their areas)
if (this.side > ((Hexagon)obj).side)
return 1;
else if (this.side == ((Hexagon)obj).side)
return 0;
else
return -1;
}
}

Part III: Multiple Choice Questions:

1. A subclass inherits _____________ from its superclass.

a. private method
b. protected method
c. public method
d. a and c
e. b and c
Key:e

2
#
2. Show the output of running the class Test in the following code:

interface A {
void print();
}

class C {}

class B extends C implements A {


public void print() { }
}

public class Test {


public static void main(String[] args) {
B b = new B();
if (b instanceof A)
System.out.println("b is an instance of A");
if (b instanceof C)
System.out.println("b is an instance of C");
}
}

a. Nothing.
b. b is an instance of A.
c. b is an instance of C.
d. b is an instance of A followed by b is an instance of C.
Key:d

#
3. When you implement a method that is defined in a superclass, you
__________ the original method.

a. overload
b. override
c. copy
d. call
Key:b

#
4. What is the output of running the class C.

public class C {
public static void main(String[] args) {
Object[] o = {new A(), new B()};
System.out.print(o[0]);
System.out.print(o[1]);
}
}

class A extends B {
public String toString() {
return "A";
}
}

3
class B {
public String toString() {
return "B";
}
}

a. AB
b. BA
c. AA
d. BB
e. None of above
Key:a

#
5. What is the output of running class C?

class A {
public A() {
System.out.println(
"The default constructor of A is invoked");
}
}

class B extends A {
public B(String s) {
System.out.println(s);
}
}

public class C {
public static void main(String[] args) {
B b = new B("The constructor of B is invoked");
}
}
a. none
b. "The constructor of B is invoked"
c. "The default constructor of A is invoked" "The constructor of B
is invoked"
d. "The default constructor of A is invoked"
Key:c

#
6. Analyze the following code:

public class Test1 {


public Object max(Object o1, Object o2) {
if ((Comparable)o1.compareTo(o2) >= 0) {
return o1;
}
else {
return o2;
}
}
}

a. The program has a syntax error because Test1 does not have a main
method.

4
b. The program has a syntax error because o1 is an Object instance
and it does not have the compareTo method.
c. The program has a syntax error because you cannot cast an Object
instance o1 into Comparable.
d. The program would compile if ((Comparable)o1.compareTo(o2) >= 0)
is replaced by (((Comparable)o1).compareTo(o2) >= 0).
e. b and d are both correct.
Key:e

#
7. The method _____ overrides the following method:

protected double xMethod(int x) {…};

a. private double xMethod(int x) {…}


b. protected int xMethod(double x) {…}
c. public double xMethod(double x) {…}
d. public double xMethod(int x) {…}
Key:d

#
8. Which of the following possible modifications will fix the errors in
this code?

public class Test {


private double code;

public double getCode() {


return code;
}

protected abstract void setCode(double code);


}

a. Remove abstract in the setCode method declaration.


b. Change protected to public.
c. Add abstract in the class declaration.
d. b and c.
Key:c

#
9. Analyze the following code.

class Test {
public static void main(String[] args) {
Object x = new Integer(2);
System.out.println(x.toString());
}
}

a. The program has syntax errors because an Integer object is


assigned to x.
b. When x.toString() is invoked, the toString() method in the Object
class is used.
c. When x.toString() is invoked, the toString() method in the
Integer class is used.
d. None of the above.

5
Key:c

#
10. What exception type does the following program throw?
public class Test {
public static void main(String[] args) {
Object o = new Object();
String d = (String)o;
}
}

a. ArithmeticException
b. No exception
c. StringIndexOutOfBoundsException
d. ArrayIndexOutOfBoundsException
e. ClassCastException
Key:e

#
11. What exception type does the following program throw?
public class Test {
public static void main(String[] args) {
Object o = null;
System.out.println(o.toString());
}
}

a. ArrayIndexOutOfBoundsException
b. ClassCastException
c. NullPointerException
d. ArithmeticException
e. StringIndexOutOfBoundsException
Key:c

6
Random documents with unrelated
content Scribd suggests to you:
− Outlook. 85: 330. F. 9, ’07. 350w.
+

Snider, Guy Edward. Taxation of the gross receipts


of railways in Wisconsin. *$1. Macmillan.
6–46362.

A monograph whose main thesis is “that the gross receipts tax


is the superior tax for railroads, and that the rejection of that
tax, for the ad valorem system in Wisconsin was a mistake.”
(Ann. Am. Acad.)

“Very painstaking, and in many respects excellent study.”


+ Ann. Am. Acad. 30: 167. Jl. ’07. 440w.

“This paper presents numerous facts of interest to the student
of taxation and is valuable as an investigation of original sources.
The fundamental defect in the author’s argument is that it fails
to recognize the necessity of considering the taxation of railways
as a part of a general system of taxation.” Robert Morris.
+ J. Pol. Econ. 15: 177. Mr. ’07. 920w.

Pol. Sci. Q. 22: 566. S. ’07. 130w.

Snyder, Carl. World machine: the first phase, the


cosmic mechanism. *$2.50. Longmans.
W 7–93.

When complete there will be three volumes under the general


title, “The world machine.” The first phase, “Cosmic mechanism”
is the one treated in the present volume, the two following are
to be “The mechanism of life,” and “The social mechanism.” This
volume “shows how the modern conception of the Cosmos was
worked out from the crude fancies of primitive men, through
ages of observation and reflection, into the immense range and
detail of accurately systematized knowledge. The chief
contributors, ancient and modern, to the grand result receive
due commemoration.” (Outlook.)

A. L. A. Bkl. 3: 129. My. ’07.

+ Ath. 1907, 1: 477. Ap. 20. 560w.



“It is a useful book for the public library, because it gives to
the general reader more information on the history of science
than he can find anywhere else in a readable form.”
+ Ind. 62: 563. Mr. 7, ’07. 440w.
+
“He gets his information mostly at second or third hand and
gives few references by which his sources can be traced. Besides
the liability to historical errors due to this, he is fond of
exaggeration and rash prophecy.”
− Nation. 84: 595. Je. 27, ’07. 650w.
“The narrative is very verbose, and does not clearly show how
one idea or group of ideas has been developed from previous
ones. The author has evidently not studied the original works of
the heroes of science whose judge he has constituted himself, as
he is anything but a trustworthy guide in the history of
astronomy.” J. L. E. D.
− Nature. 75: 553. Ap. 11, ’07. 1060w.
“Mr. Snyder’s work is historical and not technical, and it is full
of assured facts.”
+ N. Y. Times. 12: 96. F. 16, ’07. 120w.
+
“The grandeur of the revelations of the book is intensified by
the vigorous, picturesque, even dramatic, language of the
author. That the work is a literary achievement of no mean order
the most hostile of mystics, however contrasting his theories,
must be ready to admit.”
+ N. Y. Times. 12: 107. F. 23, ’07. 1690w.
+

“A valuable addition to the literature of popularized science.
The story is told, moreover, in good literary style, animated
throughout, and, at times, picturesque.”
+ Outlook. 85: 768. Mr. 30, ’07. 280w.
+

+ R. of Rs. 35: 509. Ap. ’07. 200w.


“We have not noted any positive blunders, but on the other
hand we have no confidence that the author really understands
the discoveries which he is expounding. The genuine scientific
history which the book contains is drowned in a flood of turgid
rhetoric, which bears along with it at intervals sprightly
illustrations of the most depressing character.”
− Sat. R. 101: 207. Ag. 17, ’07. 1430w.

Sociological society, London. Sociological papers,


v. 2, by Francis Galton and others. $3. Macmillan.
Descriptive note in Annual, 1906.
“Some of the papers are couched in such language as to
render their meaning very obscure.”
+ Am. Hist. R. 12: 412. Ja. ’07. 310w. (Review of v. 2.)

Soden, Hermann, baron von. History of early


Christian literature: the writings of the New
Testament; tr. by Rev. J. R. Wilkinson; ed. by Rev.
W. D. Morrison. *$1.50. Putnam.
6–11299.

Descriptive note in Annual, 1906.


“The translation is vigorous and good, but some accident must
have happened to the correction of the press. The book requires
revision.”
+ Ath. 1906, 1: 695. Je. 9. 760w.

“A good English translation.”
+ Ind. 62: 215. Ja. 24, ’07. 440w.
+

Somerset, Edward Adolphus Seymour, 11th


duke of. Correspondence of two brothers:
Edward Adolphus [Seymour] eleventh duke of
Somerset, and his brother, Lord Webb Seymour,
1800 to 1819 and after; ed. and comp, by Lady
Guendolen Ramsden. *$4. Longmans.
“This correspondence ... is various, interesting, and the work
of distinguished men and women. Though the letters of the
eleventh duke and his brother ... make up the greater part of the
book, they are by no means the only correspondents. Of
Madame de Stael there are several short and characteristic
notes, while the letters of Metternich and the princesse de
Sagan ... are of considerable value.”—Spec.

“Lady Guendolen’s notions of editing are original, but not


ineffective. On the whole, however, [she] is to be congratulated
on a competent and conscientious piece of work.”
+ Ath. 1906, 2: 436. O. 13. 2100w.

“The intimate correspondence here found on the concerns of
such men is valuable not only for the facts and contemporary
views given, but for the characters revealed by it.”
+ Ind. 62: 565. Mr. 7, ’07. 200w.
“To say that this volume was more instructive than amusing
would be ambiguous, and perhaps untrue. It is both in a
moderate and neither in a very high degree.”
+ Lond. Times. 5: 344. O. 12, ’06. 1750w.

“If she is not orderly, neither is she narrow, and her
discursiveness is fruitful of many neat glimpses of contemporary
society.”
+ Nation. 84: 81. Ja. 24, ’07. 330w.

“These letters are brief and dry. We commend the book to all
students of the Waterloo period.”
+ Sat. R. 102: 582. N. 10, ’06. 1150w.

“The chief importance of the book is that it presents a picture
of the cultured society which once gave Edinburgh a right to be
called the modern Athens.”
+ Spec. 97: 576. O. 20, ’06. 1260w.

Somerville, Edith Œnone, and Ross, Martin,


pseud. (Violet Martin). Some Irish yesterdays:
stories and sketches; with il. by E. Œ. Somerville.
†$1.50. Longmans.
7–35223.

“A pleasant medley of sketches of the West of Ireland.... Dogs


and gardens, picnics, the ways of servants and primitive inn-
keepers, and the delights of childhood in an Irish country-house,
combine to form an amusing volume which on nearly every page
will recall memories to those who know the Atlantic seaboard.”—
Sat. R.

“These sketches of Irish life and character are as charming


and as amusing as anything that the authors of ‘The experiences
of an Irish R. M.’ have ever done.”
+ Acad. 71: 522. N. 24, ’06. 610w.
“Well written, with a warm, sympathetic, humorous touch.”
+ A. L. A. Bkl. 3: 130. My. ’07.
“The humour of this pleasant volume strikes us as a little less
spontaneous than was the case with its predecessors.”
+ Ath. 1906, 2: 545. N. 3. 190w.

“One may sum up the book as a happy blend wherein the
grave and the gay wit of the authors is interwoven amid the
humour that finds subtle expression in the brogue.”
+ Lond. Times. 5: 362. O. 26, ’06. 430w.

+ Nation. 84: 153. F. 14, ’07. 430w.


“The book is seldom interesting, often dull, and sometimes
almost unintelligible.”
− Outlook. 85: 47. Ja. 5, ’07. 70w.

+ Sat. R. 102: 617. N. 17. ’06. 220w.

+ Spec. 97: 624. O. 27, ’06. 1420w.

Soothill, W. E. Typical mission in China. *$1.50.


Revell.
“A long series of moving pictures photographed from life. The
author tells of the difficulties of establishing a mission, of its
daily work, of the travels of the missionary about the country
and the multitude of varied things his hands find to do, of the
Chinese converts to Christianity and the aid they give, of the
work that is done among the Chinese women by women
missionaries, of the ravages of the opium habit, and of the
movement toward westernization of Chinese education.”—N. Y.
Times.

“His book is vigorously informative, shot thru and thru with


human interest, and made attractive with wit and humor.”
+ Ind. 63: 941. O. 17, ’07. 100w.
“It is an entertaining volume, brimful of information about the
life and work of the missionary, and vivid with pictures of the
daily life of the Chinese.”
+ N. Y. Times. 12: 500. Ag. 17, ’07. 340w.
“With many interesting descriptions and touches of humor.”
+ N. Y. Times. 12: 669. O. 19, ’07. 10w.

Sorrel, Moxley. Recollections of a Confederate staff


officer. $2. Neale.
Not so much of a narrative as a series of pictures of “camp
and field and of the more striking personalities of the Southern
armies.” (Ind.) The reminiscences begin with the battle of
Manassas, and continue thru Chickamauga and the Eastern
Tennessee campaign.

Ath. 1907, 1: 470. Ap. 20, 170w.

+ Ind. 62: 1267. My. 30, ’07. 40w.


Southern stories retold from St. Nicholas.
(Geographical stories.) *65c. Century.
7–29580.

A group of sunny south stories including How we bought


Louisiana, The earthquake at Charleston, St. Augustine, Hiding
places in war times, The ’gator, Catching terrapin and Queer
American rivers.

Souttar, Robinson. Short history of mediæval


peoples, from the dawn of the Christian era to the
fall of Constantinople. *$3 Scribner.
7–25500.

“Mr. Souttar begins with a review of the Augustan age and


devotes three chapters to Roman literature before taking up the
serious narrative of the reign of Tiberius. The progress of the
Roman empire from that time until the death of Justinian
occupies more than half of the large volume. Comfortable space
is found in seventy-two pages for a sketch of Mohammedanism
and an equal measure is allotted to the crusades. The remainder
of the book is devoted to the Byzantine empire from Justinian to
the fall of Constantinople in 1453.”—Am. Hist. R.

“Possibly the greatest praise we can give the book is that,


notwithstanding the compression, it is not only not dull, but in
fact very readable, not like the author’s own description of early
Roman literature, ‘Historic annals so bald and imperfect that they
are of little use even to the historian.’”
+ Acad. 72: 312. Mr. 30, ’07. 2140w.

“The reader appears to be in safe hands, however, for the
current modern opinion is not departed from, unless the author
takes occasion to differ with some one as to the causes of the
decline and fall of the empire, or as to the effect of Christianity
upon early political and social institutions.” J. M. Vincent.
+ Am. Hist. R. 13: 175. O. ’07. 470w.
“He has used in his book what may be regarded as
respectable authorities but he shows no knowledge of the special
literature concerning the topics which he treats. The author is
seen at his best in his chapters on the early emperors, whom he
treats with both fairness and common sense. But inveterate
mistakes are repeated because ... Dr. Souttar is not abreast of
recent investigation.”
+ Ath. 1907, 2: 67. Jl. 20. 720w.

“Granting Mr. Souttar’s method, he has chosen his material
with skill and knowledge and described it with as much vividness
as his method will allow.”
+ N. Y. Times. 12: 611. O. 12, ’07. 230w.

“The whole thing is certainly not the work of a thorough
scholar, or of a literary man with any cultivated skill in his craft.”
− Sat. R. 104: 114. Jl. 27, ’07. 1370w.
+
“The truth of the matter is that Dr. Souttar is not sufficiently
armed with authorities to reverse the judgment of history. Dr.
Souttar’s inability to deal with the more obscure problems of
history is shown by his treatment of the subject of Roman
persecution of the Christians.”
+ Spec. 99: 399. S. 21, ’07. 1340w.

Spargo, John. Bitter cry of the children. **$1.50.
Macmillan.
6–5679.

Descriptive note in Annual, 1906.


“This work is a masterly volume marked by a firm and
comprehensive grasp of the subject which speaks of wide and
painstaking research and investigation. A real contribution to the
conscience literature of the hour.”
+ Arena. 37: 205. F. ’07. 5540w.
+
+
Reviewed by Mary Willcox Glenn.
Charities. 17: 497. D. 15, ’06. 1610w.

Spargo, John. Capitalist and laborer. (Standard


socialist series.) 50c. Kerr.
7–23082.

The first part of this little volume contains a reply to Professor


Goldwin Smith’s attacks on socialism in his book “Capital and
labor;” the second, a lecture on “Modern socialism,” delivered to
the students of the school of philanthropy, New York City.

Reviewed by Albion W. Small.


Am. J. Soc. 13: 272. S. ’07. 110w.
“The paper will be especially valuable to the average reader
whose acquaintance with socialism consists chiefly of a bundle of
misapprehensions.”
+ Ind. 63: 1370. D. 5, ’07. 150w.
Spargo, John. Socialism; a summary and
interpretation of socialist principles. **$1.25.
Macmillan.
6–22326.

Descriptive note in Annual, 1906.


Reviewed by John Graham Brooks.
+ Atlan. 99: 280. F. ’07. 1230w.
+
“Mr. Spargo’s views, which if not authoritative are
representative, have the merit of being those of a socialist who
is an educated man commanding a clear and temperate style,
accustomed to dealing with actual affairs and thinking in terms
of American life.” Emily Greene Balch.
+ Charities. 17: 464. D. 15, ’06. 2030w.
“In spite of the brevity of his work—the result of conciseness
rather than of superficiality—Mr. Spargo gives a satisfactory
general view of his subject, and his book is to be recommended
especially as a foundation for a more detailed knowledge to be
afterwards acquired.” Eunice Follansbee.
+ Dial. 42: 110. F. 16, ’07. 300w.
“As an elementary presentation Mr. Spargo’s work is distinctly
meritorious, in spite of undoubted faults of style, exposition, and
reasoning. Economically it need mislead no one. Sociologically it
will prove stimulating to many. It is probably well worth
publishing, though it adds nothing to the specialist’s knowledge
of socialist history or theory.” R. F. Hoxie.
+ J. Pol. Econ. 15: 122. F. ’07. 540w.
“It is to be regretted that in preparing such an able hand-book
for the propagation of socialistic ideas, the author did not give
more serious consideration to the later developments of
economic thought and thus bring the ‘economics of socialism’
into closer harmony with the economics of economists.” Henry R.
Seager.
+ Pol. Sci. Q. 22: 166. Mr. ’07. 960w.

Sparhawk, Frances Campbell. Life of Lincoln for


boys. (Young peoples ser.) †75c. Crowell.
7–26624.

Purpose, honest and unyielding, marks the development of


Lincoln the little boy in the lonely woods into Lincoln the patriot,
the lover and friend of his whole country. The sketch has been
prepared especially for boys and furnishes the keynote to a
successful life in any place or station.

“Adapted to the understanding of the young. At the same


time, it is not written in a tone of condescension, an attitude
which boys are sure to resent. Adults might well read it and be
instructed.”
+ Lit. D. 35: 614. O. 26, ’07. 70w.

Sparling, Samuel Edwin. Introduction to business


organization. (Citizen’s lib. of economics, politics,
and sociology.) $1.25. Macmillan.
6–43943.

“This book is another indication of the growing interest in the


systematic study of business. In the introductory part of the
work definitions and analysis of business organization are given
with considerable attention to the legal aspects and forms of
organization. After this introduction Professor Sparling passes to
a discussion of such topics as, Business aspects of farming,
Factory organization, Factory cost-keeping, Commercial
organization, Exchanges, Direct selling, wholesaling and retailing,
Advertising, Credits and collections.”

“The only book on the subject.”


+ A. L. A. Bkl. 3: 105. Ap. ’07.
“So many things have received treatment, and the limits set by
the very nature of the series are so narrow, that it has been
impossible for Professor Sparling to make himself clear on a
number of points.” Charles Lee Raper.
+ Ann. Am. Acad. 29: 662. My. ’07. 370w.

“The work is clear and readable. While it is not likely to offer
much detailed information of value to any thoughtful business
man about the organization of his own business, it is likely to
prove helpful and suggestive to the student who wants a general
view of the field and to the beginner who is studying methods of
systematizing his own business.” Wm. Hill.
+ J. Pol. Econ. 51: 57. Ja. ’07. 160w.

R. of Rs. 35: 510. Ap. ’07. 100w.

Spears, John Randolph. Short history of the


American navy. **50c. Scribner.
7–12867.

Published under the auspices of the new navy league of the


United States, this book aims to be a campaign document for
keeping alive people’s pride in our navy and the part it is playing
in the making of America’s history.
“This book is not to be taken too seriously. It contributes little
new knowledge and fortunately not many errors worthy of being
noted.” Charles Oscar Paullin.
+ Am. Hist. R. 13: 185. O. ’07. 470w.

A. L. A. Bkl. 3: 172. O. ’07. S.


“Interestingly and compactly written, it cannot, however, claim
consideration as a serious historical study.”
− Nation. 85: 33. Jl. 11, ’07. 160w.
+
“This short history of the navy is something more—and less—
than a history. A tract—even a good tract—is still a tract and
should be so labeled.”
+ N. Y. Times. 12: 488. Ag. 10, ’07. 390w.

+ R. of Rs. 36: 757. D. ’07. 90w.

Speed, Capt. Thomas. Union cause in Kentucky,


1860–1865. **$2.50. Putnam.
7–14671.

A study of this special phase of the civil war by an active


participant.

“The work has those faults to which the author objects so


strongly in the other state historians. The method employed is
interesting, but unfortunately not convincing. In spite of Captain
Speed’s controversial method, which causes him often to forget
facts for arguments and opinions, the work will be found useful,
for it is the best available source of information about the Union
cause in Kentucky.”
+ Dial. 43: 41. Jl. 16, ’07. 440w.

+ Ind. 61: 1170. N. 15, ’06. 60w.


“The book does not tell a consecutive story, but is rather a not
altogether well-assorted collection of fragments relating to men
and events, sometimes only locally interesting.”
− Nation. 85: 187. Ag. 29, ’07. 650w.
+
“It is a polemic, though not of a fierce nature. It will have
value ... simply because it will be essential to the future historian
of Kentucky and the other border states.” Wm. E. Dodd.
+ N. Y. Times. 12: 265. Ap. 27, ’07. 1130w.

R. of Rs. 36: 128. Jl. ’07. 80w.

Speer, Robert E. Marks of a man: or, The


essentials of Christian character. *$1. West. Meth.
bk.
7–16361.

The Merrick lectures for 1906–7. They are on the following


subjects, Truth: no lie in character ever justifiable; Purity: a plea
for ignorance; Service: the living use of life; Freedom: the
necessity of a margin; Progress and patience: the value of a
sense of failure.
Speicher, Jacob. Conquest of the cross in China.
**$1.50. Revell.
7–20641.

A first-hand view of the conditions to be met by missionaries


in southern China.

“Mr. Speicher’s lectures ... were well worth bringing out in


permanent form, because they give good pictures of present
conditions at Kityang and the South China field generally, and
are full of sane advice on what kind of missionary the country
needs and what kind of training the missionary needs.”
+ Ind. 63: 942. O. 17, ’07. 80w.

N. Y. Times. 12: 665. O. 19, ’07. 20w.

* Spinners’ club. Spinners’ book of fiction. **$2.


Elder.
7–32566.

A book of stories by well known writers of western fiction. Its


mission is to secure additions to a fund started by the Spinner’s
club to aid writers, artists or musicians whose fortunes are at low
ebb. Miss Ina D. Coolbrith whose literary treasures were swept
away by the earth-quake is the first beneficiary.

+ Dial. 43: 428. D. 16, ’07. 90w.


“A worthy memorial of Californian literary art.”
+ Outlook. 87: 789. D. 7, ’07. 230w.
Spinney, William Anthony. Health through self-
control in thinking, breathing, eating. **$1.20.
Lothrop.
7–2729.

An untechnical book whose purpose is to prove that health of


body and mind is a science and an art, and not in any respect a
haphazard matter. The author reveals the way to perfect health.

“There is much ... nonsense in the book.”


− Ind. 62: 1474. Je. 20, ’07. 140w.

N. Y. Times. 12: 138. Mr. 9, ’07. 70w.

Spitta, Edmund J. Microscopy, the construction,


theory and use of the microscope. *$6. Dutton.
This “is a new and comprehensive volume on the technique of
the instrument, its construction and the theory of optics as
applied to the microscope. It differs essentially from ‘Carpenter
on the microscope,’ which has long been considered as standard,
in that Spitta has nothing to say regarding microscopic objects.
He concerns himself entirely with the instrument as a medium.
The present volume considers for the first time metallurgical
microscopes and illustrates the most recent types.”—Ind.

“We have noticed a few points which might receive attention


in a future edition, but our opinion of the work as a whole is
high, and every microscopist will be glad to add it to his library.”
+ Ath. 1907, 2: 448. O. 12. 970w.
+

“Advanced students in microscopy will find the present volume
extremely helpful.”
+ Ind. 63: 1062. O. 31, ’07. 100w.
+
“In this aim he has, we think, been in a marked degree
successful.”
+ Lond. Times. 6: 274. S. 13, ’07. 400w.
+

+ Nation. 85: 476. N. 21, ’07. 160w.


“The merit of Dr. Spitta’s work lies in its practical hints, which
are the work of an experienced and skilled microscopist, and not
in its theory, which in fact hardly merits even the subordinate
place which he modestly assigns to it in his preface.”
+ Sat. R. 104: 581. N. 9, ’07. 790w.

Squires, Grace. Merle and May: a story of girlhood


days. †$1.50. Dutton.
6–39753.

The story of May and the winning over of her friend Merle,
whose world was all awry, to a wholesome girlish view of life will
interest boys as well as girls, for it is full of both fun and
incident.

“It would interest boys, too, and it is better than the title
would suggest.”
+ Bookm. 24: 525. Ja. ’07. 30w.
“It is full of wholesome lively, good fun, with just enough
seriousness to carry it home to susceptible young hearts. It
would do any girl good to read it.”
+ N. Y. Times. 12: 3. Ja. 5, ’07. 480w.

Stael-Holstein, Mme. de. Madame de Staël and


Benjamin Constant; ed. by Mme. de Constant’s
great-granddaughter. Baroness Elizabeth de
Nolde; tr. from the French by Charlotte Harwood.
**$1.50. Putnam.
7–29169.

“These letters from Madame de Staël to Benjamin Constant,


while not of great political importance, show clearly the temper
of the times, as well as the emotions of the distinguished woman
who wrote them. They are not many, and do not by any means
cover the whole period when these two famous people were
intimately connected. They show the decadence of their
devotion, and represent, by implication, ‘the inconstant Constant’
in any but an admirable light.”—Outlook.

“These letters of Mme. de Staël, with their frequent references


to current events, have some historical as well as biographical
interest, but are perhaps not quite so important or interesting as
the Baroness de Nolde would have us believe. The translation is
a little too obviously a translation.”
+ Dial. 43: 254. O. 16, ’07. 370w.

“As a whole the small volume is an interesting addition,
though not of great importance, to the voluminous literature of
the time.”
+ Outlook. 87: 356. O. 19, ’07. 380w.
“The book is to be recommended to all readers who are
attracted by the name of Madame de Staël. She, not Constant,
benefits by this publication of new letters.”
+ Spec. 99: sup. 753. N. 16, ’07. 210w.

Staley, Edgcumbe. Guilds of Florence. *$5.


McClurg.
6–37191.

Descriptive note in Annual, 1906.


A. L. A. Bkl. 3: 105. Ap. 16, ’07.
“It is not provided with notes of any sort, and the literary style
is too exuberant to be that of an historian writing primarily for
students. It is not likely that very many readers will be able to
plough through all of the twenty chapters. But no one with any
interest in the general subject can afford to miss the last
hundred pages of the book.” Laurence M. Larson.
+ Dial. 42: 41. Ja. 16, ’07. 1450w.

“Easy as it would be to quarrel with the impression caused by
this presentation, and to detect inaccuracies, the heart of Mr.
Staley’s book is sound. It is not an important contribution to
historical knowledge but an attractive work for the general
reader.”
+ Ind. 62: 155. Ja. 17, ’07. 780w.
+
+

Staley, Edgcumbe. Lord Leighton of Stretton.


(Makers of British art.) *$1.25. Scribner.
“An attempt to give Lord Leighton of Stretton his true place in
art history, and at the same time designate a proper proportion
to his gentlemanly characteristics. By birth, fortune, and
environment Frederick Leighton was singularly placed for
advancement in any profession toward which he might have
been attracted. The first 173 pages of the book form a narrative
biography built around the work of the artist from his early
student sketches in Berlin and Florence to the unfinished
canvases left at his death.... The closing pages of the book deal
in a fragmentary, discursive, yet natural, manner with Leighton’s
versatility, nobility of purpose, courtesy, sincerity, daily habits
and patriotism.”—N. Y. Times.

“It happens that Mr. Staley’s praise is not only tiresome, but
generally meaningless, and without any clear perception of the
real quality of the work praised.”
− Nation. 84: 67. Ja. 17, ’07. 260w.
“The [narrative biography] is admirably told with sufficient
anecdote to appeal to the general reader, while the chronology
of his advancement is preserved for reference through the titles
of his pictures inserted as marginal notes.”
+ N. Y. Times. 11: 836. D. 1, ’06. 570w.
“He has written with such apparent indiscrimination.”
− Outlook. 84: 706. N. 24, ’06. 340w.

Stamey, De Kellar. Junction of laughter and tears.


$1.25. Badger, R: G.
6–16206.

Descriptive note in Annual, 1906.


“If the moral is at times a little too obvious, and the language
rather that of the man in the street, the verses are at least the
author’s own, there is here no troublesome echo of greater
poets.”
− N. Y. Times. 12: 75. F. 9, ’07. 70w.
+

Stanard, Mrs. Mary Newton. Story of Bacon’s


rebellion. $1. Neale.
7–20751.

Another bit of Jamestown history is told in this story of


Nathaniel Bacon who in 1676 led the poverty-stricken people of
Virginia in rebellion against Governor Berkeley and his grandees.
The story is well told and the motives, aims, and ideals of its
hero have been carefully sought out.

“Mrs. Stanard has been able to write a tolerably complete


account of the whole stirring episode. It cannot be said that
every gap has been filled out, neither is it altogether certain that
the author’s interpretations are always correct. The historical
student may incline to question whether the romantic in the
episode has not sometimes lifted the author’s feet off the solid
rock of historical criticism.”
+ Am. Hist. R. 13: 188. O. ’07. 280w.

Ath. 1907, 2: 154. Ag. 10. 140w.


“Mrs. Stanard has caught the spirit of the movement, and,
fortified with study of the original records and documents, has
written a thoroughly readable little account of the rebellion.”
+ N. Y. Times. 12: 487. Ag. 10, ’07. 150w.
“Mrs. Stanard has a way of raising opposition in her readers;
but that there is much to be said for her hero we do not doubt;
in any case, there is much that is picturesque and interesting in
her story.”
+ Spec. 99: 236. Ag. 17, ’07. 230w.

Standage, H. C. Agglutinants of all kinds for all


purposes. *$3.50. Van Nostrand.
Here are scientifically discussed cements and agglutinants
suited to a great variety of trade purpose. The methods of
preparing the compounds are such as the author has found to
give the best and surest results.

Stanmore, Arthur H. G., 1st baron. Sidney


Herbert; Lord Herbert of Lea. 2v. *$7.50. Dutton.
7–28487.

Owing to the dearth of facts available for Lord Stanmore’s


biography he offers, as he says, a “bare recital of outer events”
with “a sketch of the times in which Lord Herbert lived.” “His
career was hardly such as to place him among the distinguished
men of his generation, and certainly was not such as to warrant
his biographer’s assertion that had he lived longer he would have
been prime minister of England. His chief claims to remembrance
rest on his charming personality and on his connection with the
little group of Parliamentarians who banded themselves together
to keep alive Sir Robert Peel’s principles and policies.” (Outlook.)

“Lord Stanmore has, on the whole, done his work well, but
some readers will object to the occasional intrusion of his own
personality and opinions.”
+ Ath. 1906, 2: 726. D. 8. 3450w.

“It is good that the world should know what war means for the
men who are of the administrations responsible for a war; and
except for the Aberdeen memoirs, there are among English
political biographies no books which are more valuable from this
point of view than the biography of Sidney Herbert.”
+ Ind. 63: 822. O. 3, ’07. 790w.
“In many respects Sidney Herbert is singularly fortunate in his
biographer. He is only unfortunate in having had to wait so long.
His treatment of the Crimean war and its causes is such as might
not unfairly be called in these days a little old-fashioned.”
+ Lond. Times. 5: 413. D. 14, ’06. 2700w.
+

“The net impression would have been better made in one-third
the space.”
+ Nation. 84: 204. F. 28, ’07. 410w.

“It is as a history of the Peelites that biography is chiefly
interesting, and especially for the fresh light it throws, not on
Herbert, but on Gladstone, the most distinguished and the most
able of the Peelites. For the rest, we must admit, that we have
found the work formidable and rather dreary reading.”
+ Outlook. 85: 332. F. 9, ’07. 260w.

+ R. of Rs. 35: 756. Je. ’07. 90w.


“Very interesting memoir.”
+ Sat. R. 103: 18. Ja. 5, ’07. 2150w.
+

Spec. 97: 1043. D. 22, ’06. 2060w.


Stanton, Coralie. Adventuress. Frontispiece by
Harrison Fisher. $1.50. McBride, T. J.
7–11588.

The story of Miriam Lemaire, a money lender, a society


vampire, a compelling criminal. The adventures of this woman,
“who became a power for good and evil, playing with men and
even nations, as a cat plays with mice” are recounted by the
person, among all who appear on the horizon of the tale, who
suffered no ill at the hands of the adventuress.

Starbuck, Robert Macy. Modern plumbing


illustrated; a comprehensive and thoroughly
practical work on the modern and most approved
methods of plumbing construction; il. by fifty-five
detailed plates made expressly by the author for
this work. $4. Henley.
7–2755.

A plumbers’ handbook including the most practical up-to-date


handling of the questions of drainage, sewerage, and water
supply.

“Exception must be taken to some of the author’s remarks.


These exceptions, however, affect only a small part of the book,
and probably most of them will do little harm, considering the
class of readers concerned. The main purpose of the book seems
to be admirably fulfilled.”
+ Engin. N. 57: 308. Mr. 14, ’07. 420w.
+

+ N. Y. Times. 12: 79. F. 9, ’07. 50w.
“It will be found of value not only to master plumbers,
craftsmen and apprentices, but to architects, builders and all
others who have occasion to require clearly stated and
excellently illustrated information on the installation of sanitary
appliances.”
+ Technical Literature. 1: 225. My. ’07. 270w.
+

Starke, Dr. J. Alcohol: the sanction for its use


scientifically established and popularly expounded
by a physiologist; tr. from the German. **$1.50.
Putnam.
7–12259.

A popular treatise on the relations of alcohol to living


organisms, especially to man. The subject is discussed from the
medical and also the physical standpoint. On the one hand the
author concludes that “There is nothing in medical experience
which speaks against the moderate use of good alcoholic drinks
by the public, but much that speaks in favor of it,” on the other,
that the bodily cells of man are not strangers to alcohol and to
its elaboration, that it nourishes, exerts a specific action on the
nervous system, acts no less as a nutrient and a specific than
cereals and sugar, and that the disposition to drink excessively
has its origin in the peculiarities and circumstances of the
individual, and that alcohol does not of itself possess the
property of inducing excessive use.

“It bears the earmarks of prejudice and is written in popular


style in order to influence public opinion more effectively.”
− Ann. Am. Acad. 30: 168. Jl. ’07. 110w.

Current Literature. 42: 449. Ap. ’07. 3120w.


“This common-sense volume will be a useful antidote to much
of the unscientific and incendiary literature on the subject that is
in circulation.”
+ Educ. R. 34: 208. S. ’07. 70w.

Ind. 63: 1119. N. 7, ’07. 130w.


“The translation, from a German original, is for the most part
smooth and clear, but the ‘Checking sensations’ of the sixth
chapter are somewhat obscure.”
+ Nation. 84: 476. My. 23, ’07. 170w.

R. of Rs. 36: 384. S. ’07. 110w.


“While this volume will scarcely meet with unanimous
approval, it might still be recommended as an antidote to the
attenuated nonsense of the ‘scientific temperance’ of the school
books.” Graham Lusk.
+ Science, n.s. 25: 787. My. 17, ’07. 180w.

Starr, Frederick. Truth about the Congo: the


Chicago tribune articles. $1. Forbes.
7–20882.

An unbiased statement of the present social and political


conditions in the Congo Free State. The author, in the course of
a year’s travel of seven thousand miles, visited twenty-eight
different tribes and found conditions much better than he had
expected. His account is well illustrated by photographs of the
natives.

A. L. A. Bkl. 3: 172. O. ’07. S.

+ Ann. Am. Acad. 30: 602. N. ’07. 160w.

+ Cath. World. 85: 840. S. ’07. 990w.


+

Nation. 85: 281. S. 26, ’07. 120w.


“His book is a sane, calm statement of what he saw and
understood on his Congo trip.”
+ N. Y. Times. 12: 282. My. 4, ’07. 200w.
“He gives the public a clearer statement of the actual state of
things under the government of the Independent Congo State
than has been afforded by any publication since the beginning of
the controversy over alleged atrocities there.”
+ N. Y. Times. 12: 511. Ag. 24, ’07. 1330w.
+

R. of Rs. 35: 757. Je. ’07. 60w.

Stauffer, David McNeely. Modern tunnel practice.


*$5. Eng. news.
6–7716.

Descriptive note in Annual, 1906.


“Within the limitations imposed by the size of the book and
with the reservation noted above, the author has made a very
creditable compilation of the recent periodical literature on the
subject, which is presented in an acceptable manner and quite
profusely illustrated.” F. Lavis.
+ Engin. N. 56: 526. N. 15, ’06. 1350w.

* Stead, Richard. Adventures on high mountains.


**$1.50. Lippincott.
“Boys will find a wide range of adventure to choose from in
this volume, and should be able to form a comprehensive notion
of the dangers that beset pioneers and travellers in the robber
region of the Mexican mountains and the lofty peaks of
Abyssinia.” (Spec.) “The compilation, beginning with Napoleon’s
feat in crossing the Great St. Bernard, and, coming down to the
eruption of Mont Pelée, includes many notable feats of climbing,
as those of Tyndall on the Weisshorn and Mr. Whymper’s terrible
experience on the Matterhorn, as well as less-known adventures
in every part of the world.” (Ath.)

+ Ath. 1907, 2: 515. O. 26. 100w.



“The illustrations alone are sufficiently attractive to induce one
to run through the 328 pages.”
+ Nation. 85: 520. D. 5, ’07. 40w.
“The book seems lacking in spirit, and yet Mr. Stead made the
great rivers most interesting to us; it is too obviously a
compilation.”
+ Spec. 99: sup. 640. N. 2, ’07. 190w.

Stead, Richard. Adventures on the great rivers,
romantic incidents and perils of travel, sport and
exploration throughout the world. *$1.50.
Lippincott.
6–45336.

An interesting collection of adventures “in which figure a long


line of heroes from the Abbé Huc down to the miners who
rushed to Klondyke.” (Nation.)

Ath. 1906, 2: 51. O. 27. 130w.


“A chronicle irresistible to any boy with a soul for wild
adventure and wilder beasts.”
+ Nation. 83: 513. D. 13, ’06. 40w.
“The author handles his material well. But his book would
have been better had he been more fully acquainted with the
literature of the topics he treats.” Cyrus C. Adams.
+ N. Y. Times. 11: 846. D. 8, ’06. 160w.

“Boy readers will find a kaleidoscope of brilliant and
picturesque scenes from all lands collected for their benefit by
Mr. Stead. And from all of them they will learn some healthy
lessons which, we think, the author has striven to inculcate,—the
value of coolness and steadiness, tact and patience, and that, as
books should educate as well as recreate, is one of the good
points of these twenty-nine stories of adventure and
exploration.”
+ Spec. 97: sup. 659. N. 3, ’06. 210w.

* Stead, William Thomas. Peers or people? the


House of lords weighed in the balance and found
wanting; an appeal to history. *$1. Wessels.
A three-part political monograph which urges that the
hereditary chamber of the British parliament be replaced by
some sort of senate which would be more responsive to popular
will. The divisions of the study are The lords versus the nation,
What the House of lords has done, and What must be done with
the House of lords.

“There is far less of Mr. Stead than is usual in his political or


social monographs; and were all of Mr. Stead discarded, the
authorities he has drawn upon ... are brought together with
much skill and care; and these alone would greatly help to an
understanding of the problem.”
+ Nation. 85: 310. O. 3, ’07. 490w.

R. of Rs. 35: 507. Ap. ’07. 120w.

Stearns, Frank Preston. Life and genius of


Nathaniel Hawthorne. **$2. Lippincott.
6–37623.

A biography which aims to supply more critical comment than


is found in previous lives of Hawthorne. Eased somewhat on
personal memories it “contains much interesting matter, and
shows marks of faithful and loving labor; its citations and
references and illustrations are varied and sometimes
illuminating.” (Dial.)

“He does not seem to understand that unstinted praise of


everything that Hawthorne wrote is not criticism.”
− Ath. 1907, 1: 603. My. 18. 370w.
+
“Its style is rambling and diffuse—a fault not offset by any
keenness of criticism in the chapters devoted to what he
proclaims as the distinctive feature of his work.”
− Dial. 42: 45. Ja. 16, ’07. 360w.
+
“The author of this new ‘Life of Hawthorne’ comes to his task
with some advantages over the ordinary biographer and critic. To
a keen sympathy and with vivid admiration of the genius of our
one great romancer he adds some personal acquaintance with
him and his surroundings.”
+ Ind. 62: 446. F. 21, ’07. 390w.
“In spite of all that has been published in the note-books, in
Horatio Bridge’s memoirs, and in Julian Hawthorne’s biography,
there are even new facts to be found here, some of which are
interesting and valuable. But the best reason for reading the
book lies in this—it furnishes a perfect example or what a
biography of Nathaniel Hawthorne should not be.”
− N. Y. Times. 12: 68. F. 2, ’07. 620w.
+

* Stearns, Frank Preston. Life and public services


of George Luther Stearns. **$2. Lippincott.
7–38430.

A full biography of Major Stearns who was “the Sir Galahad of


the antislavery struggle.” It has been compiled partly from
documentary evidence and partly from family traditions. It
furnishes interesting sidelights on the civil war and its issues.
Steel, Flora Annie. Sovereign remedy. † $1.50.
Doubleday.
6–26482.

“Two young men, a clerk from a Midland city and an


uncomfortable millionaire ... meet a beautiful girl, who has been
brought up by a philosophic grandfather in seclusion.... Both fall
in love with her, and she falls in love with the millionaire, Lord
Blackborough, but, being afraid of love, she marries the other,
for whom she has only a humdrum liking. Lord Blackborough
continues to make ducks and drakes of his fortune, while the
other, Cruttenden, becomes the hard commercial money-spinner.
Aura, his wife, is at first fascinated by domesticity, but she is
soon repelled by the heartlessness of prosperity, and begins to
turn to her first love. She is killed accidentally in his company,
and he, too, mad with grief, dies in the ward of a workhouse
infirmary with the words of Eastern mysticism on his lips.”—Spec.

+ Acad. 71: 182. Ag. 25, ’06. 680w.



“Is essentially a good story, witty and poignant, and full of
interesting modern people; but it is almost intolerably sad.”
+ Ath. 1906, 2: 181. Ag. 18. 550w.

“The chief fault to be found with ... ‘The sovereign remedy,’ is
that, out of a rather confusing number of characters, it seems
impossible to determine which one she herself was personally
interested in, and which she meant the reader to regard as the
leading parts. This confusion mars what would otherwise have
been a book of considerable strength.” Frederic Taber Cooper.
+ Bookm. 25: 88. Mr. ’07. 560w.

Welcome to our website – the perfect destination for book lovers and
knowledge seekers. We believe that every book holds a new world,
offering opportunities for learning, discovery, and personal growth.
That’s why we are dedicated to bringing you a diverse collection of
books, ranging from classic literature and specialized publications to
self-development guides and children's books.

More than just a book-buying platform, we strive to be a bridge


connecting you with timeless cultural and intellectual values. With an
elegant, user-friendly interface and a smart search system, you can
quickly find the books that best suit your interests. Additionally,
our special promotions and home delivery services help you save time
and fully enjoy the joy of reading.

Join us on a journey of knowledge exploration, passion nurturing, and


personal growth every day!

testbankfan.com

You might also like