Building Java Programs 3rd Edition Reges Test Bank - Download PDF
Building Java Programs 3rd Edition Reges Test Bank - Download PDF
https://testbankfan.com/product/building-java-programs-3rd-
edition-reges-test-bank/
https://testbankfan.com/product/building-java-programs-a-back-to-
basics-approach-4th-edition-reges-test-bank/
https://testbankfan.com/product/building-java-programs-a-back-to-
basics-approach-4th-edition-reges-solutions-manual/
https://testbankfan.com/product/juvenile-justice-policies-programs-
and-practices-3rd-edition-taylor-test-bank/
https://testbankfan.com/product/marketing-of-high-technology-products-
and-innovations-3rd-edition-mohr-solutions-manual/
JavaScript The Web Warrior Series 6th Edition Vodnik
Solutions Manual
https://testbankfan.com/product/javascript-the-web-warrior-series-6th-
edition-vodnik-solutions-manual/
https://testbankfan.com/product/american-government-14th-edition-
ansolabehere-test-bank/
https://testbankfan.com/product/strategic-management-concepts-and-
cases-competitiveness-and-globalization-12th-edition-hitt-solutions-
manual/
https://testbankfan.com/product/criminology-today-an-integrative-
introduction-6th-edition-schmalleger-test-bank/
https://testbankfan.com/product/western-civilization-8th-edition-
spielvogel-test-bank/
Understanding Pharmacology Essentials for Medication
Safety 1st edition Workman Test Bank
https://testbankfan.com/product/understanding-pharmacology-essentials-
for-medication-safety-1st-edition-workman-test-bank/
Sample Final Exam #8
(Summer 2009; thanks to Victoria Kirst)
1. Array Mystery
Consider the following method:
public static void arrayMystery(int[] a) {
for (int i = 1; i < a.length - 1; i++) {
a[i] = a[i + 1] + a[i - 1];
}
}
Indicate in the right-hand column what values would be stored in the array after the method arrayMystery executes
if the integer array in the left-hand column is passed as a parameter to it.
Original Contents of Array Final Contents of Array
int[] a1 = {3, 7};
arrayMystery(a1); _____________________________
1 of 8
2. Reference Semantics Mystery
(Missing; we didn't give this type of question that quarter.)
3. Inheritance Mystery
Assume that the following classes have been defined:
public class Denny extends John { public class Michelle extends John {
public void method1() { public void method1() {
System.out.print("denny 1 "); System.out.print("michelle 1 ");
} }
}
public String toString() {
return "denny " + super.toString(); public class John extends Cass {
} public void method2() {
} method1();
System.out.print("john 2 ");
public class Cass { }
public void method1() {
System.out.print("cass 1 "); public String toString() {
} return "john";
}
public void method2() { }
System.out.print("cass 2 ");
}
Given the classes above, what output is produced by the following code?
Cass[] elements = {new Cass(), new Denny(), new John(), new Michelle()};
for (int i = 0; i < elements.length; i++) {
elements[i].method1();
System.out.println();
elements[i].method2();
System.out.println();
System.out.println(elements[i]);
System.out.println();
}
2 of 8
4. File Processing
Write a static method called runningSum that accepts as a parameter a Scanner holding a sequence of real numbers
and that outputs the running sum of the numbers followed by the maximum running sum. In other words, the nth
number that you report should be the sum of the first n numbers in the Scanner and the maximum that you report
should be the largest such value that you report. For example if the Scanner contains the following data:
3.25 4.5 -8.25 7.25 3.5 4.25 -6.5 5.25
3 of 8
5. File Processing
Write a static method named plusScores that accepts as a parameter a Scanner containing a series of lines that
represent student records. Each student record takes up two lines of input. The first line has the student's name and
the second line has a series of plus and minus characters. Below is a sample input:
Kane, Erica
--+-+
Chandler, Adam
++-+
Martin, Jake
+++++++
Dillon, Amanda
++-++-+-
The number of plus/minus characters will vary, but you may assume that at least one such character appears and that
no other characters appear on the second line of each pair. For each student you should produce a line of output with
the student's name followed by a colon followed by the percent of plus characters. For example, if the input above is
stored in a Scanner called input, the call of plusScores(input); should produce the following output:
Kane, Erica: 40.0% plus
Chandler, Adam: 75.0% plus
Martin, Jake: 100.0% plus
Dillon, Amanda: 62.5% plus
4 of 8
6. Array Programming
Write a method priceIsRight that accepts an array of integers bids and an integer price as parameters. The method
returns the element in the bids array that is closest in value to price without being larger than price. For example, if
bids stores the elements {200, 300, 250, 999, 40}, then priceIsRight(bids, 280) should return 250,
since 250 is the bid closest to 280 without going over 280. If all bids are larger than price, then your method should
return -1.
The following table shows some calls to your method and their expected results:
Arrays Returned Value
int[] a1 = {900, 885, 989, 1}; priceIsRight(a1, 880) returns 1
int[] a2 = {200}; priceIsRight(a2, 320) returns 200
int[] a3 = {500, 300, 241, 99, 501}; priceIsRight(a3, 50) returns -1
int[] a2 = {200}; priceIsRight(a2, 120) returns -1
You may assume there is at least 1 element in the array, and you may assume that the price and the values in bids will
all be greater than or equal to 1. Do not modify the contents of the array passed to your method as a parameter.
5 of 8
7. Array Programming
Write a static method named compress that accepts an array of integers a1 as a parameter and returns a new array
that contains only the unique values of a1. The values in the new array should be ordered in the same order they
originally appeared in. For example, if a1 stores the elements {10, 10, 9, 4, 10, 4, 9, 17}, then
compress(a1) should return a new array with elements {10, 9, 4, 17}.
The following table shows some calls to your method and their expected results:
Array Returned Value
int[] a1 = {5, 2, 5, 3, 2, 5}; compress(a1) returns {5, 2, 3}
int[] a2 = {-2, -12, 8, 8, 2, 12}; compress(a2) returns {-2, -12, 8, 2, 12}
int[] a3 = {4, 17, 0, 32, -3, 0, 0}; compress(a3) returns {4, 17, 0, 32, -3}
int[] a4 = {-2, -5, 0, 5, -92, -2, 0, 43}; compress(a4) returns {-2, -5, 0, 5, -92, 43}
int[] a5 = {1, 2, 3, 4, 5}; compress(a5) returns {1, 2, 3, 4, 5}
int[] a6 = {5, 5, 5, 5, 5, 5}; compress(a6) returns {5}
int[] a7 = {}; compress(a7) returns {}
Do not modify the contents of the array passed to your method as a parameter.
6 of 8
8. Critters
Write a class Caterpillar that extends the Critter class from our assignment, along with its movement behavior.
Caterpillars move in an increasing NESW square pattern: 1 move north, 1 move east, 1 move west, 1 move south,
then 2 moves north, 2 moves east, etc., the square pattern growing larger and larger indefinitely. If a Caterpillar
runs into a piece of food, the Caterpillar eats the food and immediately restarts the NESW pattern. The size of the
Caterpillar’s movement is also reset back to 1 move in each direction again, and the increasing square pattern
continues as before until another piece of food is encountered.
Here is a sample movement pattern of a Caterpillar:
• north 1 time, east 1 time, south 1 time, west 1 time
• north 2 times, east 2 times, south 2 times, west 2 times
• north 3 times, east 3 times, south 3 times, west 3 times
• (runs into food)
• north 1 time, east 1 time, south 1 time, west 1 time
• north 2 times, east 1 time
• (runs into food)
• north 1 time
• (runs into food)
• north 1 time, east 1 time, south 1 time, west 1 time
• north 2 times, east 2 times, south 2 times, west 2 times
• (etc.)
Write your complete Caterpillar class below. All other aspects of Caterpillar besides eating and movement
behavior use the default critter behavior. You may add anything needed to your class (fields, constructors, etc.) to
implement this behavior appropriately.
7 of 8
9. Classes and Objects
Suppose that you are provided with a pre-written class Date as // Each Date object stores a single
described at right. (The headings are shown, but not the method // month/day such as September 19.
bodies, to save space.) Assume that the fields, constructor, and // This class ignores leap years.
methods shown are already implemented. You may refer to them
or use them in solving this problem if necessary. public class Date {
private int month;
Write an instance method named subtractWeeks that will be private int day;
placed inside the Date class to become a part of each Date
object's behavior. The subtractWeeks method accepts an // Constructs a date with
integer as a parameter and shifts the date represented by the Date // the given month and day.
public Date(int m, int d)
object backward by that many weeks. A week is considered to be
exactly 7 days. You may assume the value passed is non- // Returns the date's day.
negative. Note that subtracting weeks might cause the date to public int getDay()
wrap into previous months or years.
// Returns the date's month.
For example, if the following Date is declared in client code: public int getMonth()
Date d = new Date(9, 19);
// Returns the number of days
The following calls to the subtractWeeks method would // in this date's month.
modify the Date object's state as indicated in the comments. public int daysInMonth()
Remember that Date objects do not store the year. The date
before January 1st is December 31st. Date objects also ignore // Modifies this date's state
// so that it has moved forward
leap years.
// in time by 1 day, wrapping
Date d = new Date(9, 19); // around into the next month
d.subtractWeeks(1); // d is now 9/12 // or year if necessary.
d.subtractWeeks(2); // d is now 8/29 // example: 9/19 -> 9/20
d.subtractWeeks(5); // d is now 7/25 // example: 9/30 -> 10/1
d.subtractWeeks(20); // d is now 3/7 // example: 12/31 -> 1/1
d.subtractWeeks(110); // d is now 1/26
public void nextDay()
// (2 years prior)
8 of 8
Another Random Scribd Document
with Unrelated Content
his religion, which begins by giving predominance to the good Spirit,
ends by being honey-combed with nature-worship.”
2. Emanation.
Emanation holds that some stuff has proceeded from the nature of
God, and that God has formed this stuff into the universe. But
matter is not composed of stuff at all. It is merely an activity of God.
Origen held that ψυχή etymologically denotes a being which, struck
off from God the central source of light and warmth, has cooled in
its love for the good, but still has the possibility of returning to its
spiritual origin. Pfleiderer, Philosophy of Religion, 2:271, thus
describes Origen's view: “As our body, while consisting of many
members, is yet an organism which is held together by one soul, so
the universe is to be thought of as an immense living being, which is
held together by one soul, the power and the Logos of God.” Palmer,
Theol. Definition, 63, note—“The evil of Emanationism is seen in the
history of Gnosticism. An emanation is a portion of the divine
essence regarded as separated from it and sent forth as
independent. Having no perpetual bond of connection with the
divine, it either sinks into degradation, as Basilides taught, or
becomes actively hostile to the divine, as the Ophites believed.... In
like manner the Deists of a later time came to regard the laws of
nature as having an independent existence, i. e., as emanations.”
Upton, Hibbert Lectures, chap. 2—“In the very making of souls of his
own essence and substance, and in the vacating of his own causality
in order that men may be free, God already dies in order that they
may live. God withdraws himself from our wills, so as to make
possible free choice and even possible opposition to himself.
Individualism [pg 386]admits dualism but not complete division.
Our dualism holds still to underground connections of life between
man and man, man and nature, man and God. Even the physical
creation is ethical at heart: each thing is dependent on other things,
and must serve them, or lose its own life and beauty. The branch
must abide in the vine, or it withers and is cut off and burned”
(275).
Origen held that God was from eternity the creator of the world of
spirits. Martensen, in his Dogmatics, 114, shows favor to the
maxims: “Without the world God is not God.... God created the
world to satisfy a want in himself.... He cannot but constitute himself
the Father of spirits.” Schiller, Die Freundschaft, last stanza, gives
the following popular expression to this view: “Freundlos war der
grosse Weltenmeister; Fühlte Mangel, darum schuf er Geister, Sel'ge
Spiegel seiner Seligkeit. Fand das höchste Wesen schon kein
Gleiches; Aus dem Kelch des ganzen Geisterreiches Schäumt ihm die
Unendlichkeit.” The poet's thought was perhaps suggested by
Goethe's Sorrows of Werther: “The flight of a bird above my head
inspired me with the desire of being transported to the shores of the
immeasurable waters, there to quaff the pleasures of life from the
foaming goblet of the infinite.” Robert Browning, Rabbi Ben Ezra, 31
—“But I need now as then, Thee, God, who mouldest men. And
since, not even when the whirl was worst, Did I—to the wheel of life
With shapes and colors rife, Bound dizzily—mistake my end, To slake
thy thirst.” But this regards the Creator as dependent upon, and in
bondage to, his own world.
[pg 388]
Since all things are created in Christ, the eternal Word, Reason, and
Power of God, God can “reconcile all things to himself” in Christ
(Col. 1:20). Athanasius called God κτίστης, ού τεχνίτης—Creator, not
Artisan. By this he meant that God is immanent, and not the God of
deism. But the moment we conceive of God as revealing himself in
Christ, the idea of creation as an eternal satisfaction of his love
vanishes. God can have a plan without executing his plan. Decree
can precede creation. Ideas of the universe may exist in the divine
mind before they are realized by the divine will. There are purposes
of salvation in Christ which antedate the world (Eph. 1:4). The
doctrine of the Trinity, once firmly grasped, enables us to see the
fallacy of such views as that of Pfleiderer, Philos. Religion, 1:286—“A
beginning and ending in time of the creating of God are not
thinkable. That would be to suppose a change of creating and
resting in God, which would equalize God's being with the
changeable course of human life. Nor [pg 389]could it be
conceived what should have hindered God from creating the world
up to the beginning of his creating.... We say rather, with Scotus
Erigena, that the divine creating is equally eternal with God's being.”
4. Spontaneous generation.
[pg 390]
(b) If such instances could be authenticated, they
would prove nothing as against a proper doctrine of
creation,—for there would still exist an impossibility
of accounting for these vivific properties of matter,
except upon the Scriptural view of an intelligent
Contriver and Originator of matter and its laws. In
short, evolution implies previous involution,—if
anything comes out of matter, it must first have been
put in.
Hens come before eggs. Perfect organic forms are antecedent to all
life-cells, whether animal or vegetable. “Omnis cellula e cellula, sed
primaria cellula ex organismo.”God created first the tree, and its
seed was in it when created (Gen. 1:12). Protoplasm is not proton,
but deuteron; the elements are antecedent to it. It is not true that
man was never made at all but only “growed” like Topsy; see Watts,
New Apologetic, xvi, 312. Royce, Spirit of Modern Philosophy, 273
—“Evolution is the attempt to comprehend the world of experience
in terms of the fundamental idealistic postulates: (1) without ideas,
there is no reality; (2) rational order requires a rational Being to
introduce it; (3) beneath our conscious self there must be an infinite
Self. The question is: Has the world a meaning? It is not enough to
refer ideas to mechanism. Evolution, from the nebula to man, is only
the unfolding of the life of a divine Self.”
There is such a thing as free will, and free will does not, like the
deterministic will, run in a groove. If there be free will in man, then
much more is there free will in God, and God's will does not run in a
groove. God is not bound by law or to law. Wisdom does not imply
monotony or uniformity. God can do a thing once that is never done
again. Circumstances are never twice alike. Here is the basis not
only of creation but of new creation, including miracle, incarnation,
resurrection, regeneration, redemption. Though will both in God and
in man is for the most part automatic and acts according to law, yet
the power of new beginnings, of creative action, resides in will,
wherever it is free, and this free will chiefly makes God to be God
and man to be man. Without it life would be hardly worth the living,
for it would be only the life of the brute. All schemes of evolution
which ignore this freedom of God are pantheistic in their tendencies,
for they practically deny both God's transcendence and his
personality.
All the growth of a tree takes place in from four to six weeks in May,
June and July. The addition of woody fibre between the bark and the
trunk results, not by impartation into it of a new force from without,
but by the awakening of the life within. Environment changes and
growth begins. We may even speak of an immanent transcendence
of God—an unexhausted vitality which at times makes great
movements forward. This is what the ancients were trying to express
when they said that trees were inhabited by dryads and so groaned
and bled when wounded. God's life is in all. In evolution we cannot
say, with LeConte, that the higher form of energy is “derived from
the lower.” Rather let us say that both the higher and the lower are
constantly dependent for their being on the will of God. The lower is
only God's preparation for his higher self-manifestation; see Upton,
Hibbert Lectures, 165, 166.
Even Haeckel, Hist. Creation, 1:38, can say that in the Mosaic
narrative “two great and fundamental ideas meet us—the idea of
separation or differentiation, and the idea of progressive
development or perfecting. We can bestow our just and sincere
admiration on the Jewish lawgiver's grand insight into nature, and
his simple and natural hypothesis of creation, without discovering in
it a divine revelation.” Henry Drummond, whose first book, Natural
Law in the Spiritual World, he himself in his later days regretted as
tending in a deterministic and materialistic direction, came to believe
rather in “spiritual law in the natural world.” His Ascent of Man
regards evolution and law as only the methods of a present Deity.
Darwinism seemed at first to show that the past history of life upon
the planet was a history of heartless and cruel slaughter. The
survival of the fittest had for its obverse side the destruction of
myriads. Nature was “red in tooth and claw with ravine.” But further
thought has shown that this gloomy view results from a partial
induction of facts. Palæontological life was not only a struggle for
life, but a struggle for the life of others. The beginnings of altruism
are to be seen in the instinct of reproduction and in the care of
offspring. In every lion's den and tiger's lair, in every mother-eagle's
feeding of her young, there is a self-sacrifice which faintly shadows
forth man's subordination of personal interests to the interests of
others.
We object also to the view of some higher critics that the book of
Genesis contains two inconsistent stories. Marcus Dods, Book of
Genesis, 2—“The compiler of this book ... lays side by side two
accounts of man's creation which no ingenuity can reconcile.”Charles
A. Briggs: “The doctrine of creation in Genesis 1 is altogether
different from that taught in Genesis 2.” W. N. Clarke, Christian
Theology, 199-201—“It has been commonly assumed that the two
are parallel, and tell one and the same story; but examination shows
that this is not the case.... We have here the record of a tradition,
rather than a revelation.... It cannot be taken as literal history, and it
does not tell by divine authority how man was created.” To these
utterances we reply that the two accounts are not inconsistent but
complementary, the first chapter of Genesis describing man's
creation as the crown of God's general work, the second describing
man's creation with greater particularity as the beginning of human
history.
testbankfan.com