100% found this document useful (1 vote)
6 views

Java Foundations 3rd Edition John Lewis Test Bank download

The document provides a test bank for the book 'Java Foundations 3rd Edition' by John Lewis, including multiple choice, true/false, and short answer questions related to arrays in Java. It also includes links to download various test banks and solution manuals for other editions and subjects. The content covers essential concepts in Java programming, specifically focusing on array operations and syntax.

Uploaded by

shqinaasera
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
100% found this document useful (1 vote)
6 views

Java Foundations 3rd Edition John Lewis Test Bank download

The document provides a test bank for the book 'Java Foundations 3rd Edition' by John Lewis, including multiple choice, true/false, and short answer questions related to arrays in Java. It also includes links to download various test banks and solution manuals for other editions and subjects. The content covers essential concepts in Java programming, specifically focusing on array operations and syntax.

Uploaded by

shqinaasera
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 47

Java Foundations 3rd Edition John Lewis Test

Bank download

https://testbankdeal.com/product/java-foundations-3rd-edition-
john-lewis-test-bank/

Explore and download more test bank or solution manual


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

Java Foundations 3rd Edition Lewis Solutions Manual

https://testbankdeal.com/product/java-foundations-3rd-edition-lewis-
solutions-manual/

Java Software Solutions Foundations of Program Design 7th


Edition Lewis Test Bank

https://testbankdeal.com/product/java-software-solutions-foundations-
of-program-design-7th-edition-lewis-test-bank/

Java Software Solutions Foundations of Program Design 7th


Edition Lewis Solutions Manual

https://testbankdeal.com/product/java-software-solutions-foundations-
of-program-design-7th-edition-lewis-solutions-manual/

Advertising Promotion and Other Aspects of Integrated


Marketing Communications 9th Edition Shimp Solutions
Manual
https://testbankdeal.com/product/advertising-promotion-and-other-
aspects-of-integrated-marketing-communications-9th-edition-shimp-
solutions-manual/
Structural Analysis SI Edition 4th Edition Kassimali
Solutions Manual

https://testbankdeal.com/product/structural-analysis-si-edition-4th-
edition-kassimali-solutions-manual/

Economics Of Money Banking And Financial Markets Global


11th Edition Mishkin Solutions Manual

https://testbankdeal.com/product/economics-of-money-banking-and-
financial-markets-global-11th-edition-mishkin-solutions-manual/

Introduction to Criminal Justice A Balanced Approach 1st


Edition Payne Test Bank

https://testbankdeal.com/product/introduction-to-criminal-justice-a-
balanced-approach-1st-edition-payne-test-bank/

Canadian Income Taxation 2017 2018 Canadian 20th Edition


Buckwold Test Bank

https://testbankdeal.com/product/canadian-income-
taxation-2017-2018-canadian-20th-edition-buckwold-test-bank/

Payroll Accounting 2014 24th Edition Bieg Test Bank

https://testbankdeal.com/product/payroll-accounting-2014-24th-edition-
bieg-test-bank/
Essentials of International Relations 8th Edition Mingst
Test Bank

https://testbankdeal.com/product/essentials-of-international-
relations-8th-edition-mingst-test-bank/
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

Chapter 7: Arrays

Multiple Choice Questions:

1) In Java, array indexes always begin at ________________ .

a) -1
b) 0
c) 1
d) 2
e) you can declare an array to have any indexes you choose

Answer: b
Explanation: In Java, the array indexes are from 0 to one less than the length of the array.

2) Which of the following statements best describes this line of code?

int[] numbers = new int[50];

a) this is the declaration and initialization of an array that holds 50 integers


b) this is a declaration and initialization of an array that holds 49 integers
c) this is a declaration and initialization of an integer array that will hold integers smaller than 50
d) this is a declaration and initialization of an integer array that will hold integers smaller than 49
e) none of the above is correct

Answer: a
Explanation: The code represents the declaration and initialization of an array that will hold 50 integers. The
indexes of this array will begin at 0 and end at 49.

3) Which of the statements is true about the following code snippet?

int[] array = new int[25];


array[25] = 2;

a) The integer value 2 will be assigned to the last index in the array.
b) The integer value 25 will be assigned to the second index in the array.
c) The integer value 25 will be assigned to the third value in the array.
d) This code will result in a compile-time error.
e) This code will result in a run-time error.

Answer: e
Explanation: This code will throw an ArrayIndexOutOfBoundsException, since the last index in this array will
be 24. This causes a run-time error.

4) What will be the output of the following code snippet?

int[] array = new int[25];


System.out.println(array.length);

1
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

a) 26
b) 24
c) 25
d) This code will result in a compile time error.
e) This code will result in a run time error.

Answer: c
Explanation: Note that the length instance variable can be accessed directly. Therefore this will not result in any
errors. The array has length 25, and therefore the code will output 25.

5) Which of the following array declarations are invalid?

a) int[] grades = new int[5];


b) int grades[] = new int[5];
c) int[] grades = { 91, 83, 42, 100, 77 };
d) all of the above are valid
e) none of the above are valid

Answer: d
Explanation: All three of these are valid array declarations. Choice b uses an alternate syntax. Choice c uses an
initializer list to initialize the array.

6) Which of the following is a true statement?

a) Arrays are passed as parameters to methods like primitive types.


b) Arrays are passed as parameters to methods like object types.
c) Arrays cannot be passed as parameters to methods.
d) All of the above are true.
e) None of the above are true.

Answer: b
Explanation: Arrays are passed to methods by reference. This means that if the content of the array is changed in a
method, the change will be reflected in the calling method.

7) Suppose we have an array of String objects identified by the variable names. Which of the following for loops will not
correctly process each element in the array.

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


b) for(String name : names)
c) for(int i = 0; i < names.length(); i++)
d) none of these will correctly process each element
e) all of these will correctly process each element

Answer: c
Explanation: Choice c will not process each element correctly due to a syntax error. The length variable is not a
method and, therefore, does not have parenthesis after it. Choice b is an example of using a foreach loop to process an
array, and choice a is a correct for loop.

8) Which of the following statements will assign the first command-line argument sent into a Java program to a variable

2
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

called argument?

a) argument = System.getFirstArgument();
b) argument = System.getArgument[1];
c) argument = System.getArgument[0];
d) argument = args[0];
e) argument = args[1];

Answer: d
Explanation: Choice d is the correct answer. The System object does not have any methods called
getFirstArgument or getArgument, and the args array's index starts at 0. Therefore the other choices are incorrect.

9) Which of the following method declarations correctly defines a method with a variable length parameter list?

a) public int average(int[] list)


b) public int average(int ... list)
c) public int average(...)
d) public int average(int a, int b, int c, ...)
e) public int average(integers)

Answer: b
Explanation: The only choices with valid syntax are choice a and choice b. Choice a represents a method
declaration with a single parameter, which is a reference to an array. Choice b correctly represents a valid declaration for a
method with a variable length parameter list.

10) Which of the following is a valid declaration for a two-dimensional array?

a) int[][] matrix;
b) int[2] matrix;
c) int[]** matrix;
d) int[] matrix;
e) none of these are correct

Answer: a
Explanation: Choice a is the only valid declaration for a two-dimensional array. Choices b and c contain invalid
Java syntax, and choice d is a valid declaration for a single dimensional array.

11) Which of the following lines of code accesses the second element of the first array in a two-dimensional array of
integers, numbers, and stores the result in a variable called num?

a) num = numbers[1][2];
b) num = numbers[0][1];
c) num = numbers.getElement(1, 2);
d) num = numbers.getElement(0, 1);
e) none of the above are correct

Answer: b
Explanation: Choice b accesses the second element of the first array. Choice a accesses the third element of the

3
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

second array. Choices c and d do not represent valid Java syntax.

12) Which of the following are true about two-dimensional arrays?

a) Two-dimensional integer arrays cannot be initialized via an initializer list.


b) Two-dimensional arrays can only store up to 10 elements per array (or per row).
c) Two-dimensional arrays are not accessible using for loops.
d) Two-dimensional arrays cannot hold objects.
e) None of the above are true.

Answer: e
Explanation: None of the statements about two-dimensional arrays are true.

13) What is the precedence of the index operator ( [ ] ) relative to other operators in Java?

a) It has the lowest precedence of all Java operators.


b) It has a higher precedence than addition, but a lower precedence than multiplication.
c) It has a higher precedence than multiplication, but a lower precedence than addition.
d) It has the highest precedence of all Java operators.
e) [ ] is not an operator.

Answer: d
Explanation: The index operator has the highest precedence of all Java operators.

14) Every Java array is a(n) _________________, so it is possible to use a foreach loop to process each element in the
array.

a) object
b) iterator
c) class
d) operator
e) none of the above

Answer: b
Explanation: Every Java array is an iterator, therefore a foreach loop can be used to process each element in the
array.

15) Multi-dimensional arrays that contain arrays of different lengths in any one dimension are called _________________.

a) ragged arrays
b) static arrays
c) two-dimensional arrays
d) constant arrays
e) overloaded arrays

Answer: a
Explanation: Ragged arrays are multi-dimensional arrays that contain arrays at the same dimension with differing
lengths.

4
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

True/False Questions:

1) In Java, array indexes begin at 0 and end at one less than the length of the array.
Answer: True
Explanation: For an array of length n, the indexes begin at 0 and end at n – 1 in Java.

2) There is only one way to declare and initialized an array in Java.


Answer: False
Explanation: There are two different ways to declare an array in Java – the standard syntax and the alternate
syntax. Arrays can also be initialized in different ways. The first way is to use the new operator, which will create the
array, and then initialize each index individually. You can also initialize an array using an initializer list.

3) An array declared as an int[] can contain elements of different primitive types.


Answer: False
Explanation: An array that has been declared with a specific type may only contain elements of that type. In this
case the array can only contain integers.

4) The foreach loop can be used to process each element of an array.


Answer: True
Explanation: In Java, an array is an iterator and therefore it is possible to use the foreach loop to process individual
elements.

5) It is possible to store 11 elements in an array that is declared in the following way.

int[] array = new int[10];

Answer: False
Explanation: An array declared as above can only store 10 elements.

6) If a program attempts to access an element outside of the range of the array indexes, a run-time error will occur.
Answer: True
Explanation: If a program attempts to access an element outside of the range of the array indexes, an
ArrayOutOfBoundsException will be thrown at run-time.

7) An array cannot hold object types.


Answer: False
Explanation: An array can be declared to hold references to objects.

8) It is possible to send in data to a Java program via the command-line.


Answer: True
Explanation: Command-line arguments can be sent in to a Java program. They are sent into the program via the
args[] array.

9) It is possible for a method to have a variable length parameter list, meaning that the method can take in any number of
parameters of a specified data type.
Answer: True
Explanation: Java supports variable length parameter lists for methods.

10) In Java it is not possible to have arrays of more than two dimensions.
Answer: False

5
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

Explanation: It is possible to have arrays of any dimension in Java. It is not common, however, for these types of
arrays to be used in object-oriented programs.

6
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

Short Answer Questions:

1) Explain how arrays are passed to methods as parameters.

Answer: Arrays are passed to methods by reference. This means that a reference to the original array is sent into
the method. Therefore any changes that are made to the array in the method will be reflected in the original array in the
calling method.

2) Write the declaration for an array of doubles called averages that is initialized with an initializer list.

Answer:

double[] averages = { 25.2, 36.18, 42.1, 30.5 };

3) Write the declaration for a two-dimensional array of integers that can be thought of as a table with three rows and three
columns. Assign the value 3 to the cell that is in the second row and the third column.

Answer:

int[][] table = new int[3][3];


table[1][2] = 3;

4) Write a loop that cycles through an array of String objects called names and prints them out, one per line. Your loop
should not use a foreach loop.

Answer:

for(int i = 0; i < names.length; i++)


System.out.println(names[i]);

5) Write a loop that cycles through an array of String objects called names and prints out the ones that start with a vowel,
one per line. Your loop should use a foreach loop.

Answer:

for(String n : names)
if(n.charAt(0) == 'A' || n.charAt(0) == 'a' ||
n.charAt(0) == 'E' || n.charAt(0) == 'e' ||
n.charAt(0) == 'I' || n.charAt(0) == 'i' ||
n.charAt(0) == 'O' || n.charAt(0) == 'o' ||
n.charAt(0) == 'U' || n.charAt(0) == 'u')
System.out.println(n);

6) Write a method that accepts an array of integers as a parameter and returns the sum of all of the integers in the array.

Answer:

public int arraySum(int[] array) {

7
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

int sum = 0;
for(int i = 0; i < array.length; i++)
sum += array[i];

return sum;
}

7) Write a method called doubleSize that accepts an integer array as a parameter and returns a reference to a new integer
array that is twice as long and contains all of the elements of the first array in the same positions.

Answer:

public int[] doubleSize(int[] originalArray) {


int[] newArray = int[originalArray.length*2];

for(int i = 0; i < originalArray.length; i++)


newArray[i] = originalArray[i];

return newArray;
}

8) Write a method called average that accepts an array of floating point numbers and returns their average.

Answer:

public double average(float[] array) {


double sum = 0;
for(int i = 0; i < array.length; i++)
sum += array[i];

return (double) sum/array.length;


}

9) Write a method called containsPair that accepts an array of integers as a parameter and returns true if it contains two
integers that are equal.

Answer:

public boolean containsPair(int[] values) {


for(int i = 0; i < values.length; i++) {
for(int j = i+1; j < values.length; j++)
if(values[i] == values[j])
return true;
}

return false;
}

8
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

10) Write a method that takes in an arbitrary number of String objects, and then prints out all of them that have over 10
characters.

Answer:

public void printLongStrings(String ... words) {


for(String w : words)
if(w.length() > 10)
System.out.println(w);
}

11) Write a method that takes in at least one integer and returns the largest of all integer parameters sent in.

Answer:

public void largest(int first, int ... numbers) {


int currentLargest = first;

for(int num : numbers)


if(num > currentLargest)
currentLargest = num;

return currentLargest;
}

12) Write a method that accepts an array of integers as a parameter and returns a reference to an array that contains the
even numbers in the array original array. The returned array should have a size equal to the number of even numbers in the
original array.

Answer:

public int[] getEvenArray(int[] numbers) {


int size = 0;

for(int i = 0; i < numbers.length; i++)


if(numbers[i]%2 == 0)
size++;

int[] evenArray = new int[size];

int evenArrayIndex = 0;

for(int i = 0; i < numbers.length; i++) {


if(numbers[i]%2 == 0) {
evenArray[evenArrayIndex] = numbers[i];

9
Addison-Wesley © 2014
Java Foundations: Introduction to Program Design & Data Structures, 3/e
John Lewis, Peter J. DePasquale, Joseph Chase
Test Bank: Chapter 7

evenArrayIndex++;
}//end if
}//end for
}

13) Write a short program that accepts an arbitrary number of command line arguments, and prints out those containing the
character 'z'.

Answer:

public class PrintZArgs {


public static void main(String[] args) {
for(String s : args) {
for(int i = 0; i < s.length; i++)
if(s.charAt(i) == 'z')
System.out.println(s);
}//end foreach
}//end main
}//end class

14) Write a line of code that initializes a two-dimensional array of integers using an initializer list.

Answer:

int[][] numbers = { {2,3},{4,5} };

15) Write a method that accepts an array of integers and returns the smallest value in the list.

Answer:

public int smallest(int[] list) {


int currentSmallest = list[0];

for(int i = 0; i < list.length; i++)


if(list[i] < currentSmallest)
currentSmallest = list[i];

return currentSmallest;
}

10
Addison-Wesley © 2014
Visit https://testbankdead.com
now to explore a rich
collection of testbank,
solution manual and enjoy
exciting offers!
Other documents randomly have
different content
The Project Gutenberg eBook of A servant of
Satan: Romantic career of Prado the assassin
This ebook is for the use of anyone anywhere in the United States
and most other parts of the world at no cost and with almost no
restrictions whatsoever. You may copy it, give it away or re-use it
under the terms of the Project Gutenberg License included with this
ebook or online at www.gutenberg.org. If you are not located in the
United States, you will have to check the laws of the country where
you are located before using this eBook.

Title: A servant of Satan: Romantic career of Prado the assassin

Author: Louis Berard

Release date: May 28, 2017 [eBook #54805]


Most recently updated: October 23, 2024

Language: English

Credits: Produced by MFR, Christian Boissonnas and the Online


Distributed Proofreading Team at http://www.pgdp.net
(This
file was produced from images generously made available
by The Internet Archive)

*** START OF THE PROJECT GUTENBERG EBOOK A SERVANT OF


SATAN: ROMANTIC CAREER OF PRADO THE ASSASSIN ***
THE SELECT SERIES
OF
POPULAR AMERICAN COPYRIGHT NOVELS.
This Series is issued monthly, and fully illustrated. The following
are the latest issues:
No. 22—A HEART'S BITTERNESS, by Bertha M. Clay.
No. 21—THE LOST BRIDE, by Clara Augusta.
No. 20—INGOMAR, by Nathan D. Urner.
No. 19—A LATE REPENTANCE, by Mrs. Mary A. Denison.
No. 18—ROSAMOND, by Mrs. Alex. McVeigh Miller.
No. 17—THE HOUSE OF SECRETS, by Mrs. Harriet Lewis.
No. 16—SIBYL'S INFLUENCE, by Mrs. Georgie Sheldon.
No. 15—THE VIRGINIA HEIRESS, by May Agnes Fleming.
No. 14—FLORENCE FALKLAND, by Burke Brentford.
No. 13—THE BRIDE ELECT, by Annie Ashmore.
No. 12—THE PHANTOM WIFE, by Mrs. M. V. Victor.
No. 11—BADLY MATCHED, by Helen Corwin Pierce.
Yours truly
Prado.
The Far and Near Series—No. 8.
Issued Monthly.
Subscription Price, $3.00 Per Year.
JUNE, 1889.
Entered at the Post-Office, New York, as Second-Class Matter.

A SERVANT OF SATAN.
Romantic Career of PRADO the Assassin.
From Notes Communicated to a Friend on the Eve of His Execution.

An Extraordinary Record of Crime in Many Lands—He was Reared in a Royal


Palace.

The Great Riddle which the French Police were Unable to Solve.

By LOUIS BERARD.

NEW YORK:
STREET & SMITH, Publishers,
31 Rose Street.

Entered according to Act of Congress, in the year 1889,


By Street & Smith,
In the Office of the Librarian of Congress, at Washington, D. C.
PREFACE.
“Prado was a wonderful fellow,” said Chief Inspector Byrnes, of the
New York police, recently, “and for criminal ingenuity and
devilishness stands without a peer. I question whether cupidity lay at
the foundation of his diabolical work, inclining to the belief that
some great wrong worked on his mind and embittered him against
the wealthier members of the class of women whom he selected as
his victims. Certainly the opening chapters of the story would
indicate as much. The fact that this recital of Prado's crimes is made
up from notes furnished by the man himself makes it unusually
interesting, and the splendidly written and graphically illustrated
story will find a place in the scrap-book of every police detective in
the country.
“I do not think a career like Prado's in Paris could be possible in
this city. Our police system is so different from that of Paris that we
can weave a net about criminals much easier. We do not have to
unreel miles of red tape before starting out on a hunt for criminals,
but are at work with scores of detectives, aided by the entire force,
if necessary, before a victim of murder is fairly cold. We seek
motives, study the antecedents and acquaintances of the slain, and,
following clew after clew, we make it so warm for an assassin that
he seeks safety rather than a duplication of crime. Prado, however,
was an assassin far above the average of men in intelligence and
ingenuity, and gave evidence of having moved in high circles of
society, and I should not be surprised if the story will make clear his
identity to students of the ‘Almanac de Gotha.’”—New York World.
A SERVANT OF SATAN.
PROLOGUE.
It was at Madrid, in the month of April, 1880, that I first made the
acquaintance of the extraordinary man, who, under the pseudonym
of “Prado” met his fate beneath the Paris guillotine. I had just driven
back into town from witnessing the execution by the “garrote” of the
regicide Francisco Otero, and was in the act of stepping from my
brougham, when suddenly the crowd assembled on the Puerto del
Sol parted as if by magic to give place to a runaway carriage. I had
barely time to note the frantic efforts of the coachman to stop the
onward course of the frightened horses, when there was a terrible
crash, and the victoria was shattered to splinters against one of the
heavy posts on the square. The coachman, still clutching hold of the
reins, was torn from the box, and dragged some hundred yards
farther along the ground, before the horses were stopped and he
could be induced to release his hold of the ribbons. To the surprise
of all the spectators, he escaped with a few bruises. His master,
however—the only other occupant of the carriage—was less
fortunate. Hurled by the shock with considerable violence to the
pavement, almost at my very feet, he remained unconscious for
some minutes. When at length he recovered his senses, and
attempted to rise with my assistance, it was found that he had
broken his ankle, and was unable to stand upright. Placing him in my
trap, I drove him to the address which he gave me—a house in the
Calle del Barquillo—and on our arrival there, assisted the door porter
and some of the other servants to carry him up stairs to a very
handsome suite of apartments on the second floor. On taking my
departure, he overwhelmed me with thanks for what he was pleased
to call my kindness, and entreated me to do him the favor of calling,
handing me at the same time a card bearing the name of Comte
Linska de Castillon.
A couple of days later, happening to be in the neighborhood of the
Calle del Barquillo, I dropped in to see how he was getting on. He
received me with the greatest cordiality, and so interesting was his
conversation that it was quite dark before I left the house. It turned
out that he, too, had been present at the execution of the wretched
Otero, and that he was on his way home when his horses became
frightened and bolted. After discussing all the horrible details of the
death of the regicide, the conversation took the direction of capital
punishment in foreign countries—a theme about which he displayed
the most wonderful knowledge.
From the graphic manner in which he described the strange
tortures and cruel methods of punishment practiced at the courts of
the native princes in India and China, it was evident that he was
speaking of scenes which he had witnessed, and not from mere
hearsay. He seemed equally well acquainted with the terrors of lynch
law in the frontier territories of the United States, and with the
military executions of spies and deserters in warfare. In short, it
became clear to me that he was a great traveler, and that he was as
well acquainted with America and Asia as he was with the ins and
outs of almost every capital in Europe. His French, his Spanish, his
German, and his English, were all equally without a trace of foreign
accent. His manners were perfect, and displayed unmistakable signs
of birth and breeding. Although not above the ordinary stature, he
was a man of very compact and muscular build. Dressed in the most
perfect and quiet taste, his appearance, without being foppish, was
one of great chic and elegance. No trace of jewelry was to be seen
about his person. His hands and feet were small and well shaped;
his mustache was black, as were also his large and luminous eyes.
His hair, slightly gray toward the temples, showed traces of age, or,
perhaps, of a hard life. But the most remarkable thing about him
was his smile, which seemed to light up his whole face, and which
was singularly winning and frank. I confess I took a great fancy to
the man, who at the time was exceedingly popular in Madrid society.
He was to be seen in many of the most exclusive salons, was
present at nearly all the ministerial and diplomatic receptions, and
apparently enjoyed universal consideration. Our intimacy continued
for about a couple of years, during the course of which I had the
opportunity of rendering him one or two more slight services.
Toward the end of 1882, I was obliged to leave Madrid rather
suddenly, being summoned to Torquay by the dangerous illness of
my mother, who is an English woman, and I did not return to Spain
until several years later, when I found that Comte Linska de Castillon
had meanwhile gone under—in a financial sense—and had
disappeared from the surface.
It is unnecessary to describe here the horror and consternation
with which I learned that “Prado,” the man charged with numerous
robberies and with the murder of the demi-mondaine, Marie
Aguetant, was no other than my former friend, Comte Linska de
Castillon. Of course, I made a point of attending the trial. I confess,
however, that I had some difficulty in recognizing in the rather
unprepossessing individual in the prisoner's dock the once elegant
viveur whom I had known at Madrid. His features had become
somewhat bloated and coarse, as if by hard living, his dress was
careless and untidy, his hair gray and his eyes heavy. It was only on
the rare occasions when he smiled that his face resumed traces of
its former appearance. Day after day I sat in court and listened to
the evidence against him. The impression which the latter left on my
mind was that, however guilty he undoubtedly had been of other
crimes—possibly even of murder—he was, nevertheless, innocent of
the death of Marie Aguetant, the charge on which he was executed.
The crime was too brutal and too coarse in its method to have been
perpetrated by his hand. Moreover, the evidence against him in the
matter was not direct, but only circumstantial. Neither the jewelry
nor the bonds which he was alleged to have stolen from the
murdered woman have ever been discovered. Neither has the
weapon with which the deed was committed been found, and the
only evidence against him was that of two women, both of loose
morals, and both of whom considered themselves to have been
betrayed by him. The one, Eugenie Forrestier, a well-known femme
galante, saw in the trial a means of advertising her charms, which
she has succeeded in doing in a most profitable manner. The other,
Mauricette Courouneau, the mother of his child, had fallen in love
with a young German and was under promise to marry him as soon
as ever the trial was completed, and “Prado's head had rolled into
the basket of Monsieur de Paris.”
Shortly after the sentence had been pronounced upon the man
whom I had known as “Comte Linska de Castillon” I visited him in
his prison, and subsequently at his request called several times again
to see him. He seemed very calm and collected. Death apparently
had no terrors for him, and on one occasion he recalled the curious
coincidence that our first meeting had been on our way home from
the execution of the regicide Otero. The only thing which he seemed
to dread was that his aged father—his one and solitary affection in
the world—should learn of his disgrace. In answer to my repeated
inquiries as to who his father was he invariably put me off with a
smile, exclaiming, “Demain, demain!” (to-morrow). He appeared,
however, to be filled with the most intense bitterness against the
other members of his family, step-mother, half-brothers and sisters,
who, he declared, had been the first cause of his estrangement from
his father and of his own ruin.
“YOU WILL FIND BOTH IN THIS SEALED PACKET.”

Although condemned criminals are never informed of the date of


their execution until a couple of hours before they are actually led to
the scaffold, yet “Prado,” or “Castillon” appeared to have an intuition
of the imminence of his death. For two days before it took place,
when I was about to take leave, after paying him one of my
customary visits, he suddenly exclaimed:
“I may not see you again. It is possible that this may be our last
interview. You are the only one of my former friends who has shown
me the slightest kindness or sympathy in my trouble. It would be
useless to thank you. I am perfectly aware that my whole record
must appear repulsive to you, and that your conduct toward me has
been prompted by pity more than by any other sentiment. Were you,
however, to know my true story you would pity me even more. The
statements which I made to M. Guillo, the Judge d'Instruction who
examined me, were merely invented on the spur of the moment, for
the purpose of showing him that my powers of imagination were, at
any rate, as brilliant as his own. No one, not even my lawyer, knows
my real name or history. You will find both in this sealed packet. It
contains some notes which I have jotted down while in prison,
concerning my past career.”
As he said this he placed a bulky parcel in my hand.
“I want you, however,” he continued, “to promise me two things.
The first is that you will not open the outer covering thereof until
after my execution; the second, that you will make no mention or
reference to the name inscribed on the inner envelope until you see
the death of its possessor announced in the newspapers. It is the
name of my poor old father. He is in failing health and can scarcely
live much longer. When he passes away you are at liberty to break
the seals and to use the information contained therein in any form
you may think proper. The only object I have in now concealing my
identity is to spare the old gentleman any unnecessary sorrow and
disgrace.”
He uttered these last words rather sadly and paused for a few
minutes before proceeding.
“With regard to the remainder of my family,” said he at last, “I am
totally indifferent about their feelings in the matter.”
“One word more, my dear Berard,” he continued. “I am anxious
that these papers should some day or other be made known to the
world. They will convince the public that at any rate I am innocent of
the brutal murder for which I am about to suffer death. My crimes
have been numerous; they have been committed in many different
lands, and I have never hesitated to put people out of the way when
I found them to be dangerous to my interests. But whatever I may
have done has been accomplished with skill and delicacy. My
misdeeds have been those of a man of birth, education, and
breeding, whereas the slayer of Marie Aguetant was, as you will find
out one of these days, but a mere vulgar criminal of low and coarse
instincts, the scum indeed of a Levantine gutter.
“And now good-by my dear Berard. I rely on you to respect the
wishes of a man who is about to disappear into Nirwana. You see,”
he added with a smile, “I am something of a Buddhist.”
Almost involuntarily I grasped both his hands firmly in mine. I was
deeply moved. All the powers of attraction which he had formerly
exercised on me at Madrid came again to the surface, and it was he
who gently pushed me out of the cell in order to cut short a painful
scene.
Two days later one of the most remarkable criminals of the age
expiated his numerous crimes on the scaffold in the square in front
of the Prison de la Grande Roquette.
Late last night, when alone in my library, I broke the seals of the
outer envelope of the parcel which he had confided to me. When I
saw the name inscribed on the inner covering I started from my
chair. It was a name of worldwide fame, one of the most brilliant in
the “Almanac de Gotha,” and familiar in every court in Europe.
However, mindful of my promise to the dead, I locked the package
away in my safe. My curiosity, however, was not put to a very severe
test, for about a week later the papers of every country in Europe
announced the death of the statesman and soldier whose name
figured on the cover of the parcel of documents.
Without further delay I broke the seals of the inner wrapper. The
whole night through and far on into the next day, I sat poring over
the sheets of closely written manuscript—the confessions of the man
who had been guillotined under the assumed name of “Prado.” They
revealed an astounding career of crime and adventure in almost
every corner of the globe, and thoroughly impressed me with the
conviction that, however innocent he may have been of the murder
of Marie Aguetant, yet he fully deserved the penalty which was
finally meted out to him. Of scruples or of any notions of morality he
had none, and so cold-blooded and repulsive is the cynicism which
this servant of Satan at times displays in the notes concerning his
life which he placed at my disposal, I have been forced to use
considerable discretion in editing them. While careful to reproduce
all the facts contained in the manuscript, I have toned down a
certain Zola-like realism of expression impossible to render in print,
and have shaped the disjointed memoranda and jottings into a
consecutive narrative.
One word more before finally introducing the real Prado to the
world. However great my desire to accede to the last wish of my
former friend, I cannot bring myself to disclose to the general public
the real name of the unfortunate family to which he belonged. There
are too many innocent members thereof who would be irretrievably
injured by its disclosure.
But the pseudonym which I have employed is so transparent, and
the history of the great house in question so well known, that all
who have any acquaintance of the inner ring of European society will
have no difficulty in recognizing its identity.
Louis Berard.
CHAPTER I.
A SECRET MARRIAGE.
Count Frederick von Waldberg, who was tried and guillotined at
Paris under the name of Prado, was born at Berlin in 1849 and was
named after King Frederick William IV. of Prussia, who, together with
Queen Elizabeth, was present at the christening and acted as
sponsor. This somewhat exceptional distinction was due to the fact
that the child's father, Count Heinrich von Waldberg, was not only
one of the favorite aides-de-camp generals of his majesty, but had
also been a friend and companion of the monarch from his very
boyhood.
Although at the time the general had not yet achieved the great
reputation as a statesman which he subsequently attained, yet he
was already known throughout Europe as an ambassador of rare
skill and diplomacy, and as one of the most influential personages of
the Berlin Court. Married in 1847 to a princess of the reigning house
of Kipper-Deutmolde, a woman of singular beauty, little Frederick
was the first and only offspring of their union. The child was scarcely
a year old when the mother died at Potsdam, after only a few days'
illness, leaving the whole of her fortune in trust for the boy. The
general was inconsolable, and so intense was his grief that for some
days it was feared that his mind would give way. The very kindest
sympathy was displayed by both the king and his consort, the latter
in particular being deeply moved by the motherless condition of little
Frederick. During the next three years the child spent much of his
time in her majesty's private apartments, both at Berlin and
Potsdam, and, herself childless, Queen Elizabeth did her utmost to
act the part of a mother to the pretty curly headed boy.
After four years of widowhood the general became convinced that
it was not “good for man to be alone,” and cast his eyes about him
in search of another wife. Greatly to the disgust of the beauties of
the Prussian capital, who were only too ready to surrender their
hands and their hearts to the high rank and station of Count von
Waldberg, his choice fell on an Italian lady, whose sole
recommendation in his eyes was, as he publicly proclaimed to his
friends, that she bore certain traces of resemblance to his dead
princess.
Several children were born of this second marriage, and, as usual
in such cases, poor little Frederick suffered the ordinary fate of a
step-child. The new Countess von Waldberg could not bring herself
to forgive the boy for being the heir to a large fortune, while her
own children had nothing but a meager portion to which they could
look forward. Moreover she was intensely jealous of the marked
favor and interest which both the king and the queen displayed
toward their godson whenever the family came to Berlin. As,
however, the general spent the first ten years of his second marriage
at the foreign capitals to which he was accredited as ambassador,
Frederick but rarely saw his royal friends. His childhood was
thoroughly embittered by the repellent attitude of his step-mother
and of his half brothers and sisters toward him. His father, it is true,
was always kind and affectionate; but engrossed by the cares and
duties of his office, he often allowed whole days to pass without
seeing his eldest son, whose time was wholly spent in the company
of servants, grooms, and other inferiors.
At the age of fifteen he was entered at the School of Cadets at
Brandenburg, and while there was frequently detached to act as
page of honor at the various court functions at Berlin and Potsdam.
He was scarcely eighteen years old when he received his first
commission as ensign in a regiment of the foot-guards, Queen
Elizabeth making him a present of his first sword on the occasion.
Frederick, in receipt of a handsome allowance from the trustees of
his mother's fortune, now entered on a course of the wildest
dissipation. The fame of his exploits on several occasions reached
the ears of the king, who kindly, but firmly, reproved the lad for his
conduct, and urged him to remember what was due to names so
honored as those of his father and his dead mother. Nothing,
however, seemed to have any effect in checking the career of
reckless and riotous extravagance on which he had embarked, and
at length, after being subjected to numerous reprimands and
sentences of arrest, he was punished by being transferred to a line
regiment engaged in frontier duty on the Russian border. His dismay
at being thus exiled from the court and capital to the wilds of
Prussian Poland was impossible to describe, and he bade farewell to
his numerous friends of both sexes as if he had been banished for
life to the mines of Siberia. The most painful parting of all was from
a pretty little girl, whom he had taken from behind the counter of
“Louise's” famous flower shop, and installed as his mistress in
elegant apartments near the “Thier Garten.”
Rose Hartmann was a small and captivating blonde, with dark-blue
eyes, fringed with long black lashes. The lovers were at that time in
the honey-moon of their liaison, and while Frederick was sincerely
and deeply attached to the girl, she on her side was chiefly attracted
by the luxuries and pleasures which he had placed within her reach.
Whereas he was almost heart-broken at the idea of leaving her, she
only apprehended in the separation a sudden end to all the
advantages of a life of ease and indulgence and a return to her
former obscure existence. To make a long story short, she played
her cards so well during the last days of the young lieutenant's stay
at Berlin, that on the eve of his departure she induced him to
contract a secret marriage with her. It is needless to add that this
was a fatal step, as far as the future career of Frederick was
concerned. But he was scarcely nineteen years old at the time, and
in the hands of a clever and designing woman several years his
senior. Of course, they adopted every possible measure to prevent
their altered relations from becoming known, for in the first place
German officers are prohibited, under severe penalties, from
marrying without having previously obtained an official authorization
from the Minister of War; and secondly, Frederick was perfectly
aware of the intense indignation with which both his father and the
royal family would regard such a terrible misalliance. Two days after
the ceremony Frederick left for his new garrison, promising Rose
that he would make speedy arrangements whereby she would be
enabled to rejoin him.
In due course he arrived at his destination—a dreary-looking
village in the neighborhood of Biala—and was received with
considerable coldness by his new colonel and fellow-officers who did
not particularly relish the notion that their regiment should be
regarded as a kind of penitentiary for offending guardsmen. The
commander, in particular, was a thorough martinet, who looked with
extreme disfavor on all the mannerisms and dandified airs of the
young count. Thoroughly out of sympathy with his uncongenial
messmates, Frederick soon began to feel oppressed by the
monotony and solitude of his existence, and repeatedly urged Rose
by letter and telegram to join him. This, however, she was in no
hurry to do, as she naturally preferred the gay life of the capital,
with plenty of money to spend and numerous admirers, to the
dreariness and discomfort of a Polish village in the middle of winter.
At length, however, Frederick's letters grew so pressing that delay
was no longer possible, and she started for Biala with a perfect
mountain of luggage. On her arrival there she was met by her
husband, who was beside himself with joy at seeing her again. Of
course, it was more than ever necessary that their true relationship
should remain a secret, and accordingly Rose took up her residence
under an assumed name at the solitary inn of the village where
Frederick was quartered. Every moment that he could spare from his
military duties he spent with her, and it is scarcely necessary to state
that their apparently questionable relations were soon the talk of the
whole place. The person, however, who felt herself the most
aggrieved by the presence of Rose in the village was the colonel's
wife, who was profoundly indignant that the “woman” of a mere
lieutenant should presume to cover herself with costly furs and wear
magnificent diamonds, whereas she—good lady—was forced to
content herself with cloaks lined with rabbit-skin and a total absence
of jewelry. Morning, noon, and night she assailed her lord and
master on the subject, and to such a pitch of irritation she had
brought him by her vituperations that, when at the end of a week he
finally decided to summon Count von Waldberg to his presence, he
was in a frame of mind bordering on frenzy.
“Your conduct, sir, is a scandal and a disgrace to the regiment,”
was the greeting which he offered to the young lieutenant, as the
latter stepped into his room. “You appear to be lost to all sense of
decency and shame.”
Frederick, pale to the very lips, stepped rapidly forward and
looked his chief defiantly in the face, exclaiming as he did so:
“I am at a loss to understand, colonel, in what manner I have
merited such a torrent of abuse.”
“You know perfectly well to what I am alluding,” retorted the
colonel. “How dare you bring that infernal woman to this place, and
install her right under our very nose here at the inn? I don't intend
to have any of these Berlin ways here. If you can't do without her,
have the good taste, at least, to keep her at Biala, where there are
houses for women of that class.”
With almost superhuman efforts to remain calm, the young officer
murmured hoarsely:
“I must insist, sir, on your speaking of the lady——”
“Lady, indeed!” fairly yelled the colonel, who was becoming black
in the face with rage; “that vile——”
As he uttered these words he was felled to the ground by a terrific
blow in the face from Frederick, who exclaimed as he struck him:
“She is my wife, you scoundrel!”
CHAPTER II.
A SHOCKED FATHER.
The sun was just rising from behind Vesuvius when one of those
hideous and awkward-looking cabs which infest the streets of Naples
crawled up to the park gates of a handsome villa on the road to
Posilipo. Carelessly tossing a five-lire note to the driver, a young man
whose travel-stained appearance showed traces of a long journey
jumped to the ground and violently rang the bell. Some minutes
elapsed before the porter was sufficiently aroused from his sleep to
realize the fact that a stranger was waiting for admittance, and when
he finally issued forth to unlock the gates, his face bore manifest
evidence of the intense disgust with which he regarded the
premature disturbance of his ordinarily peaceful slumbers.
“Is this the Count von Waldberg's villa?” inquired the stranger.
“Yes,” replied the porter in a gruff voice. “What of that?”
“I want to speak to him at once. Unlock the gate.”
“Indeed! You want to see his excellency?”
“At once!”
“At this hour? Per Bacco! Who has ever heard of such a thing? You
will have to come back later in the day, my young friend—very much
later in the day—if you wish to be granted the honor of an
audience,” and with that he turned away and was about to leave the
stranger standing in the road, when suddenly steps were heard
approaching along the gravel path which led up to the villa, and a
tall, soldierly figure appeared in view.
“Good morning, Beppo; what brings you out of bed at this
unearthly hour of the morning? This is rather unusual, is it not?”
“It is, indeed, Sig. Franz. It is a young fellow outside there who
actually insists on seeing his excellency at once.”
On hearing this Franz, who was the general's confidential valet,
took a cursory glance at the stranger, and suddenly seizing the
pompous porter by the shoulder, caused him to wheel round with
such violence as to almost destroy his equilibrium.
“Open, you fool! It is the young count! What do you mean by
keeping him waiting out in the road? Are you bereft of your senses?”
Snatching the keys from the hands of the astonished Italian he
brushed past him, threw open the gates and admitted Frederick, for
it was he.
“Herr Graf, Herr Graf, what an unexpected pleasure is this. How
delighted his excellency will be!”
“I don't know so much about that, Franz, but I want to speak to
my father at once. Let him know that I am here, and ask him to
receive me as soon as possible.”
After conducting Frederick to a room on the first floor of the villa
and attending to his wants the old servant left him to notify the
general of his son's arrival.
The young man had meanwhile dragged a low arm-chair to the
open window, and sat gazing with a tired and troubled expression at
the magnificent landscape stretched out before him.
Four days had elapsed since the exciting scene described in the
last chapter. The violence of the blow inflicted by Frederick had
caused the colonel to fall heavily against the brass corner of a
ponderous writing-table, cutting a deep gash across his forehead,
and the blood trickled freely from the wound as he lay unconscious
on the ground. The sight of the prostrate figure of his commanding
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!

testbankdeal.com

You might also like