initial commit

This commit is contained in:
Rushil Umaretiya 2020-12-04 22:00:49 -05:00
commit 3fc3554899
668 changed files with 60695 additions and 0 deletions

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,90 @@
// Name: Rushil Umaretiya
// Date: 08/26/19
public class Modes
{
public static void main (String[] args)
{
int[] tally = {0,0,10,5,10,0,7,1,0,6,0,10,3,0,0,1};
display(tally);
int[] modes = calculateModes(tally);
display(modes);
int sum = 0;
for(int k = 0; k < tally.length; k++)
sum += tally[k];
System.out.println("kth \tindex");
for(int k = 1; k <= sum; k++)
System.out.println(k + "\t\t" + kthDataValue(tally, k));
}
/**
* precondition: tally.length > 0
* postcondition: returns an int array that contains the modes(s);
* the array's length equals the number of modes.
*/
public static int[] calculateModes(int[] tally)
{
int maxValue = findMax(tally);
int modeCount = 0;
for (int x = 0; x<tally.length;x++)
if (maxValue == tally[x])
modeCount++;
int index = 0;
int[] modeArray = new int[modeCount];
for (int x = 0; x<tally.length;x++) {
if (maxValue == tally[x]) {
modeArray[index] = x;
index++;
}
}
return modeArray;
}
/**
* precondition: tally.length > 0
* 0 < k <= total number of values in data collection
* postcondition: returns the kth value in the data collection
* represented by tally
*/
public static int kthDataValue(int[] tally, int k)
{
int dataLength = 0;
for (int x = 0; x<tally.length; x++)
dataLength += tally[x];
int[] frequencyArray = new int[dataLength];
int index = 0;
for(int x = 0; x<tally.length; x++) {
int frequency = tally[x];
for (int y = 0; y<frequency; y++) {
frequencyArray[index] = x;
index++;
}
}
return frequencyArray[k-1];
}
/**
* precondition: nums.length > 0
* postcondition: returns the maximal value in nums
*/
public static int findMax(int[] nums)
{
int pos = 0;
for(int k = 1; k < nums.length; k++)
if(nums[k] > nums[pos])
pos = k;
return nums[pos];
}
public static void display(int[] args)
{
for(int k = 0; k < args.length; k++)
System.out.print(args[k] + " ");
System.out.println();
System.out.println();
}
}

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,197 @@
// Name: B6-24
// Date: 08/28/19
import java.text.DecimalFormat;
public class SmartCard_Driver
{
public static void main(String[] args)
{
Station downtown = new Station("Downtown", 1);
Station center = new Station("Center City", 1);
Station uptown = new Station("Uptown", 2);
Station suburbia = new Station("Suburb", 4);
SmartCard jimmy = new SmartCard(20.00);
jimmy.board(center); //Boarded at Center City. SmartCard has $20.00
jimmy.disembark(suburbia); //From Center City to Suburb costs $2.75. SmartCard has $17.25
jimmy.disembark(uptown); //Error: did not board?!
System.out.println();
SmartCard susie = new SmartCard(1.00);
susie.board(uptown); //Boarded at Uptown. SmartCard has $1.00
susie.disembark(suburbia); //Insuffient funds to exit. Please add more money.
System.out.println();
SmartCard kim = new SmartCard(.25);
kim.board(uptown); //Insuffient funds to board. Please add more money.
System.out.println();
SmartCard b = new SmartCard(10.00);
b.board(center); //Boarded at Center City. SmartCard has $10.00
b.disembark(downtown); //From Center City to Downtown costs $0.50. SmartCard has $9.50
System.out.println();
SmartCard mc = new SmartCard(10.00);
mc.board(suburbia); //Boarded at Suburbia. SmartCard has $10.00
mc.disembark(downtown); //From Suburbia to Downtown costs $2.75. SmartCard has $7.25
System.out.println();
//Make more test cases. What else needs to be tested?
Station zone1Station = new Station("Zone 1", 1);
Station zone4Station = new Station("Zone 4", 4);
SmartCard johnDoe = new SmartCard(.49);
System.out.printf("Current Balance is %s. Passenger Boarded: %s.%n", johnDoe.getBalance(), johnDoe.getIsOnBoard());
johnDoe.board(zone1Station);
johnDoe.addMoney(.01);
johnDoe.board(zone1Station);
System.out.printf("Current Balance is %s. Passenger Boarded: %s.%n", johnDoe.getBalance(), johnDoe.getIsOnBoard());
johnDoe.board(zone4Station);
System.out.printf("Current Station is %s.(Expected Zone 1)%n", johnDoe.getBoardedAt().getName());
johnDoe.disembark(zone4Station);
System.out.printf("Current Balance is %s. Passenger Boarded: %s.%n", johnDoe.getBalance(), johnDoe.getIsOnBoard());
johnDoe.addMoney(5.0);
johnDoe.disembark(zone4Station);
johnDoe.disembark(zone1Station);
}
}
//Note SmartCard is not denoted as public. Why?
class SmartCard
{
public final static DecimalFormat df = new DecimalFormat("$0.00");
public final static double MIN_FARE = 0.5;
/* enter your code below */
private double balance;
private Station stationBoarded;
private boolean isBoarded;
public SmartCard(double d) {
balance = d;
stationBoarded = null;
isBoarded = false;
}
void addMoney(double d) {
balance += d;
}
String getBalance() {
return df.format(balance);
}
void board(Station s) {
if (isBoarded) {
System.out.println("Error: already boarded?!");
return;
}
if (balance < .5) {
System.out.println("Insufficient funds to board. Please add more money.");
return;
}
stationBoarded = s;
isBoarded = true;
System.out.printf("Boarded at %s. SmartCard has %s.%n", s.getName(), df.format(balance));
}
double cost(Station s) {
return 0.50 + (0.75 * (Math.abs(s.getZone() - stationBoarded.getZone())));
}
void disembark(Station s) {
if (!isBoarded) {
System.out.println("Error: Did not board?!");
return;
}
double cost = cost(s);
if (cost > balance) {
System.out.println("Insufficient funds to exit. Please add more money.");
return;
}
isBoarded = false;
balance -= cost;
System.out.printf("From %s to %s costs %s. SmartCard has %s%n", stationBoarded.getName(), s.getName(), df.format(cost), df.format(balance));
stationBoarded = null;
}
boolean isBoarded() {
return isBoarded;
` }
//the next 3 methods are for use ONLY by Grade-It
//these accessor methods only return your private data
//they do not make any changes to your data
double getMoneyRemaining()
{
//enter your code here and replace the return with yours
return balance;
}
Station getBoardedAt()
{
//enter your code here and replace the return with yours
return stationBoarded;
}
boolean getIsOnBoard()
{
//enter your code here and replace the return with yours
return isBoarded;
}
}
//Note Station is not a public class. Why?
class Station
{
private int zone;
private String name;
public Station(String n, int z) {
name = n;
zone = z;
}
String getName() {
return name;
}
int getZone() {
return zone;
}
void setName(String n) {
name = n;
}
void setZone(int z) {
zone = z;
}
public String toString() {
return String.format("Name: %s Zone: %d", name, zone);
}
}
/******************* Sample Run ************
Boarded at Center City. SmartCard has $20.00
From Center City to Suburb costs $2.75. SmartCard has $17.25
Error: did not board?!
Boarded at Uptown. SmartCard has $1.00
Insufficient funds to exit. Please add more money.
Insufficient funds to board. Please add more money.
Boarded at Center City. SmartCard has $10.00
From Center City to Downtown costs $0.50. SmartCard has $9.50
Boarded at Suburb. SmartCard has $10.00
From Suburb to Downtown costs $2.75. SmartCard has $7.25
************************************************/

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,152 @@
//Name:
//Date:
public class StringMethods
{
public static void main(String[] args)
{
String s = "Internet", s2 = "net", s3 = " Internet ";
String s7 = s.substring(5); //
String s8 = s.substring(0, 5); //
String s9 = s.substring(2, 6); //
int pos11 = s.indexOf('e'); //
int pos12 = s.indexOf('x'); //
int pos13 = s.indexOf('e', 4); //
int pos14 = s.lastIndexOf('e'); //
int pos15 = s.lastIndexOf('e', 4); //
int pos16 = s.lastIndexOf('e', 2); //
int pos17 = s.indexOf(s2); //
int pos18 = s.indexOf(s2, 6); //
int pos19 = s.lastIndexOf(s2); //
int pos20 = s.lastIndexOf(s2, 6); //
boolean isSame22 = s.equals(s2); //
boolean isSame23 = s.equalsIgnoreCase("internet");//
int result24 = s.compareTo("internet");//
int result25 = s2.compareTo(s); //
int result26 = s.compareToIgnoreCase("internet");//
String s28 = s.toUpperCase(); //
String s29 = s.replace('n', 'N'); //
String s30 = s3.trim(); //
// no String method changes the String object for which they are
// called. They build and return a new string instead. For example,
// s3.replace('a','A') by itself is useless, because s3 remains unchanged.
// The technical term is "immutable," as in "Strings are immutable."
char ch = s.charAt(0); //
boolean isSame36 = (ch == 'I'); //
boolean isLetter37 = Character.isLetter(ch); //
boolean isCap38 = Character.isUpperCase(ch); //
char ch39 = Character.toLowerCase(ch); //
String s40 = ch39 + s.substring(1); //
// three ways to visit each character of a string
for(int i = 0; i < s.length(); i++)
System.out.print(s.substring(i, i+1)+" ");//
for(int i = 0; i < s.length(); i++)
System.out.print(s.charAt(i)+" "); //
char[] chArray = s.toCharArray();
for(int i = 0; i < chArray.length; i++)
System.out.print(chArray[i]+" "); //
System.out.println();
// Strings can be split: String[] split(String separator)
// The method split() returns an array of substrings split around
// the specified separator, which is then removed
String[] abra = "ABRACADABRA".split("A");
for(String str : abra)
System.out.print(str+" "); //
System.out.println();
String[] abra2 = "ABRACADABRA".split("BR");
for(String str : abra2)
System.out.print(str+" "); //
System.out.println();
String[] abra3 = "A B R A C A D A B R A".split(" ");
for(String str : abra3)
System.out.println(str+" "); //
//
/* String Methods #1
1. The string dateStr represents a date in the format "mm/dd/yyyy".
Write a code fragment that changes dateStr to the format "dd-mm-yy".
For example, "09/16/2008" becomes "16-09-08".
*/
String dateStr = "10/11/2005";
String[] times = dateStr.split("/");
dateStr = times[1] + "-" + times[0] + "-" + times[2].substring(2);
System.out.println(dateStr);
/* String Methods #2
2. Given a line of text, print each word on its own line, but don't
print the blank lines.
*/
System.out.println();
String text = "How are you doing?";
String[] words = text.split(" ");
for (int i = 0; i < words.length; i++)
if (words[i].equals(" "))
System.out.println(words[i]);
/* String Methods #3
3. Given a line of text, remove all punctuation from that line.
One way is to replace each punctuation mark with "".
*/
String str = "RT @TJCheer2015: Freshman & Sophomores: Interested in cheer at TJ? Email: thomasjeffersoncheer@gmail.com";
String punct = ",./;:'\"?<>[]{}|`~!@#$%^&*()";
for (int i = 0; i < punct.length(); i++) {
str = str.replace(""+punct.charAt(i), "");
}
System.out.println(str);
/* String Methods #4
4. Given a line of text, remove all punctuation from that line.
One way is to keep all characters that are letters or a space.
*/
String str2 = "a @galaxy far, far away --right there! on the (TJ planetarium} ceiling. https://t.co/XfoqbyA9JY";
String letters = " ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz";
String cleaned = "";
for (int i = 0; i < str2.length(); i++)
for (int j = 0; j < letters.length(); j++)
if (str2.charAt(i) == letters.charAt(j))
cleaned += Character.toString(str2.charAt(i));
System.out.println(cleaned);
}
}
/******************************
I n t e r n e t I n t e r n e t I n t e r n e t
BR C D BR
A ACADA A
A
B
R
A
C
A
D
A
B
R
A
16-09-08
Fall
Sports
(football,
golf,
cheerleading,
volleyball,
field
hockey,
cross
country)
start
in
1
week.
RT TJCheer2015 Freshman Sophomores Interested in cheer at TJ Email thomasjeffersoncheergmailcom
a galaxy far far away right there on the TJ planetarium ceiling httpstcoXfoqbyAJY
********************************/

View File

@ -0,0 +1,11 @@
I have a little frog,
His name is Tiny Tim.
I put him in the bathtub,
to see if he could swim.
He drank up all the water,
and gobbled up the soap!
And when he tried to talk
He had a BUBBLE in his throat!
Hey little froggy tell me what do you say!?

View File

@ -0,0 +1,12 @@
Iway avehay away ittlelay ogfray,
Ishay amenay isway Inytay Imtay.
Iway utpay imhay inway ethay athtubbay,
otay eesay ifway ehay ouldcay imsway.
Ehay ankdray upway allway ethay aterway,
andway obbledgay upway ethay oapsay!
Andway enwhay ehay iedtray otay alktay
Ehay adhay away UBBLEbay inway ishay oatthray!
Eyhay ittlelay oggyfray elltay emay atwhay oday ouyay aysay!?

View File

@ -0,0 +1,11 @@
Iway avehay away ittlelay ogfray,
Ishay amenay isway Inytay Imtay.
Iway utpay imhay inway ethay athtubbay,
otay eesay ifway ehay ouldcay imsway.
Ehay ankdray upway allway ethay aterway,
andway obbledgay upway ethay oapsay!
Andway enwhay ehay iedtray otay alktay
Ehay adhay away UBBLEbay inway ishay oatthray!
Eyhay ittlelay oggyfray elltay emay atwhay oday ouyay aysay!

View File

@ -0,0 +1,11 @@
Iway avehay away ittlelay ogfray,
Ishay amenay isway Inytay Imtay.
Iway utpay imhay inway ethay athtubbay,
otay eesay ifway ehay ouldcay imsway.
Ehay ankdray upway allway ethay aterway,
andway obbledgay upway ethay oapsay!
Andway enwhay ehay iedtray otay alktay
Ehay adhay away UBBLEbay inway ishay oatthray!
Eyhay ittlelay oggyfray elltay emay atwhay oday ouyay aysay!?

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,281 @@
// Name: B6-24
// Date: 9/7/19
import java.util.*;
import java.io.*;
public class PigLatin
{
public static void main(String[] args)
{
//part_1_using_pig();
part_2_using_piglatenizeFile();
/* extension only */
//String str = "Atwhay!?";
//System.out.print(str + "\t\t" + pigReverse(str));
//str = "{(Ellohay!)}";
//System.out.print("\n" + str + "\t\t" + pigReverse(str));
//str = "\"OnaldmcDay???\"";
//System.out.println("\n" + str + " " + pigReverse(str));
}
public static void part_1_using_pig()
{
Scanner sc = new Scanner(System.in);
while(true)
{
System.out.print("\nWhat word? ");
String s = sc.next();
if(s.equals("-1"))
{
System.out.println("Goodbye!");
System.exit(0);
}
String p = pig(s);
System.out.println( p );
}
}
public static final String punct = ",./;:'\"?<>[]{}|`~!@#$%^&*()";
public static final String letters = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz";
public static final String vowels = "AEIOUaeiou";
public static String pig(String s)
{
if(s.length() == 0)
return "";
//remove and store the beginning punctuation
String beginPunct, endPunct;
int index = 0;
for(int i = 0; i < s.length( ); i++){
if(Character.isLetter(s.charAt(i))) {
break;
} else if(punct.contains("" + s.charAt(i))) {
index++;
} else {
break;
}
}
beginPunct = s.substring(0, index);
s = s.substring(index);
//remove and store the ending punctuation
index = s.length();
for(int i = s.length() - 1; i < s.length(); i--){
if(Character.isLetter(s.charAt(i))) {
break;
} else if(punct.contains("" + s.charAt(i))) {
index--;
} else {
break;
}
}
endPunct = s.substring(index);
s = s.substring(0,index);
//START HERE with the basic case:
//find the index of the first vowel
// y is a vowel if it is not the first letter
// qu is a consonant
String newWord = "";
for (int i = 0; i < s.length(); i++) {
String currentChar = "" + s.charAt(i);
if (vowels.contains(currentChar) || currentChar.toLowerCase().equals("y")) {
//checks if first character is vowel
if (i == 0) {
if (!currentChar.toLowerCase().equals("y")) {
newWord = s + "way";
break;
}
} else if (vowels.contains(currentChar) || currentChar.toLowerCase().equals("y")) {
if (currentChar.toLowerCase().equals("u")) {
if (Character.toLowerCase(s.charAt(i-1)) == 'q') {
if (Character.isUpperCase(s.charAt(0))) {
newWord = s.substring(i+1) + Character.toLowerCase((s.substring(0, i+1)).charAt(0)) + s.substring(1, i+1) + "ay";
newWord = Character.toUpperCase(newWord.charAt(0)) + newWord.substring(1);
break;
} else {
newWord = s.substring(i+1) + s.substring(0, i+1) + "ay";
break;
}
} else {
if (Character.isUpperCase(s.charAt(0))) {
newWord = s.substring(i) + Character.toLowerCase((s.substring(0, i)).charAt(0)) + s.substring(1, i) + "ay";
newWord = Character.toUpperCase(newWord.charAt(0)) + newWord.substring(1);
break;
} else {
newWord = s.substring(i) + s.substring(0, i) + "ay";
break;
}
}
} else {
if (Character.isUpperCase(s.charAt(0))) {
newWord = s.substring(i) + Character.toLowerCase((s.substring(0, i)).charAt(0)) + s.substring(1, i) + "ay";
newWord = Character.toUpperCase(newWord.charAt(0)) + newWord.substring(1);
break;
} else {
newWord = s.substring(i) + s.substring(0, i) + "ay";
break;
}
}
}
}
}
if (newWord.equals(""))
newWord = "**** NO VOWEL ****";
newWord = beginPunct + newWord + endPunct;
return newWord;
//if no vowel has been found
//is the first letter capitalized?
//return the piglatinized word
}
public static void part_2_using_piglatenizeFile()
{
Scanner sc = new Scanner(System.in);
System.out.print("input filename including .txt: ");
String fileNameIn = sc.next();
System.out.print("output filename including .txt: ");
String fileNameOut = sc.next();
piglatenizeFile( fileNameIn, fileNameOut );
System.out.println("Piglatin done!");
}
/******************************
* piglatinizes each word in each line of the input file
* precondition: both fileNames include .txt
* postcondition: output a piglatinized .txt file
******************************/
public static void piglatenizeFile(String fileNameIn, String fileNameOut)
{
Scanner infile = null;
try
{
infile = new Scanner(new File(fileNameIn));
}
catch(IOException e)
{
System.out.println("oops");
System.exit(0);
}
PrintWriter outfile = null;
try
{
outfile = new PrintWriter(new FileWriter(fileNameOut));
}
catch(IOException e)
{
System.out.println("File not created");
System.exit(0);
}
//process each word in each line
String newFile = "";
while(infile.hasNextLine()) {
String[] words = infile.nextLine().split(" ");
for (int i = 0; i < words.length; i++)
words[i] = (pig(words[i]));
newFile += String.join(" ", words) + "\n";
}
outfile.print(newFile.substring(0, newFile.length() - 2));
outfile.close();
infile.close();
}
/** EXTENSION: Output each PigLatin word in reverse, preserving before-and-after
punctuation.
*/
public static String pigReverse(String s)
{
//s = pig(s);
if(s.length() == 0)
return "";
//remove and store the beginning punctuation
String beginPunct, endPunct;
int index = 0;
for(int i = 0; i < s.length( ); i++){
if(Character.isLetter(s.charAt(i))) {
break;
} else if(punct.contains("" + s.charAt(i))) {
index++;
} else {
break;
}
}
beginPunct = s.substring(0, index);
s = s.substring(index);
//remove and store the ending punctuation
index = s.length();
for(int i = s.length() - 1; i < s.length(); i--){
if(Character.isLetter(s.charAt(i))) {
break;
} else if(punct.contains("" + s.charAt(i))) {
index--;
} else {
break;
}
}
endPunct = s.substring(index);
s = s.substring(0,index);
//store capitalization order
boolean[] caps = new boolean[s.length()];
for (int i = 0; i < s.length(); i++) {
if (Character.isUpperCase(s.charAt(i)))
caps[i] = true;
else
caps[i] = false;
}
//reverse String
String reversed = "";
for (int i = s.length() - 1; i >= 0; i--) {
reversed += s.charAt(i);
}
//fix capitalization
char[] reversedArray = reversed.toCharArray();
for (int i = 0; i < reversedArray.length; i++) {
if (caps[i])
reversedArray[i] = Character.toUpperCase(reversedArray[i]);
else
reversedArray[i] = Character.toLowerCase(reversedArray[i]);
}
reversed = beginPunct + new String(reversedArray) + endPunct;
//return reversed string
return reversed;
}
}

View File

@ -0,0 +1,25 @@
pig
latin
this
strange
apple
a
upper
sfghjkl
question
squeeze
yellow
rhyme
eye
Thomas
Question
McDonald
I
BUBBLES
what?
Oh!!!
"hello"
([Hello])
don't
pell-mell

View File

@ -0,0 +1,26 @@
igpay
atinlay
isthay
angestray
appleway
away
upperway
**** NO VOWEL ****
estionquay
eezesquay
ellowyay
ymerhay
eyeway
Omasthay
Estionquay
OnaldmcDay
Iway
UBBLESbay
atwhay?
Ohway!!!
"ellohay"
([Ellohay])
on'tday
ell-mellpay

Binary file not shown.

View File

@ -0,0 +1,21 @@
import java.util.*;
import java.io.*;
public class ScannerPractice {
public static void main(String[] args) throws Exception{
Scanner sc = new Scanner(System.in);
System.out.println("What is ur filename?");
String filename = sc.next();
Scanner infile = new Scanner(new File(filename));
String fileout = "results.txt";
PrintWriter outfile = new PrintWriter(new FileWriter(fileout));
while(infile.hasNext()) {
String s = infile.nextLine();
outfile.print(s + ", ");
}
outfile.close();
infile.close();
}
}

View File

@ -0,0 +1,63 @@
When in the Course of human events, it becomes necessary for one people to dissolve the political bands which have connected them with another, and to assume among the powers of the earth, the separate and equal station to which the Laws of Nature and of Nature's God entitle them, a decent respect to the opinions of mankind requires that they should declare the causes which impel them to the separation.
We hold these truths to be self-evident, that all men are created equal, that they are endowed by their Creator with certain unalienable Rights, that among these are Life, Liberty and the pursuit of Happiness. --That to secure these rights, Governments are instituted among Men, deriving their just powers from the consent of the governed, --That whenever any Form of Government becomes destructive of these ends, it is the Right of the People to alter or to abolish it, and to institute new Government, laying its foundation on such principles and organizing its powers in such form, as to them shall seem most likely to effect their Safety and Happiness. Prudence, indeed, will dictate that Governments long established should not be changed for light and transient causes; and accordingly all experience hath shewn, that mankind are more disposed to suffer, while evils are sufferable, than to right themselves by abolishing the forms to which they are accustomed. But when a long train of abuses and usurpations, pursuing invariably the same Object evinces a design to reduce them under absolute Despotism, it is their right, it is their duty, to throw off such Government, and to provide new Guards for their future security. --Such has been the patient sufferance of these Colonies; and such is now the necessity which constrains them to alter their former Systems of Government. The history of the present King of Great Britain [George III] is a history of repeated injuries and usurpations, all having in direct object the establishment of an absolute Tyranny over these States. To prove this, let Facts be submitted to a candid world.
He has refused his Assent to Laws, the most wholesome and necessary for the public good.
He has forbidden his Governors to pass Laws of immediate and pressing importance, unless suspended in their operation till his Assent should be obtained; and when so suspended, he has utterly neglected to attend to them.
He has refused to pass other Laws for the accommodation of large districts of people, unless those people would relinquish the right of Representation in the Legislature, a right inestimable to them and formidable to tyrants only.
He has called together legislative bodies at places unusual, uncomfortable, and distant from the depository of their public Records, for the sole purpose of fatiguing them into compliance with his measures.
He has dissolved Representative Houses repeatedly, for opposing with manly firmness his invasions on the rights of the people.
He has refused for a long time, after such dissolutions, to cause others to be elected; whereby the Legislative powers, incapable of Annihilation, have returned to the People at large for their exercise; the State remaining in the mean time exposed to all the dangers of invasion from without, and convulsions within.
He has endeavoured to prevent the population of these States; for that purpose obstructing the Laws for Naturalization of Foreigners; refusing to pass others to encourage their migrations hither, and raising the conditions of new Appropriations of Lands.
He has obstructed the Administration of Justice, by refusing his Assent to Laws for establishing Judiciary powers.
He has made Judges dependent on his Will alone, for the tenure of their offices, and the amount and payment of their salaries.
He has erected a multitude of New Offices, and sent hither swarms of Officers to harass our people, and eat out their substance.
He has kept among us, in times of peace, Standing Armies without the consent of our legislatures.
He has affected to render the Military independent of and superior to the Civil power.
He has combined with others to subject us to a jurisdiction foreign to our constitution and unacknowledged by our laws; giving his Assent to their Acts of pretended Legislation:
For Quartering large bodies of armed troops among us:
For protecting them, by a mock Trial, from punishment for any Murders which they should commit on the Inhabitants of these States:
For cutting off our Trade with all parts of the world:
For imposing Taxes on us without our Consent:
For depriving us, in many cases, of the benefits of Trial by Jury:
For transporting us beyond Seas to be tried for pretended offences:
For abolishing the free System of English Laws in a neighbouring Province, establishing therein an Arbitrary government, and enlarging its Boundaries so as to render it at once an example and fit instrument for introducing the same absolute rule into these Colonies:
For taking away our Charters, abolishing our most valuable Laws, and altering fundamentally the Forms of our Governments:
For suspending our own Legislatures, and declaring themselves invested with power to legislate for us in all cases whatsoever.
He has abdicated Government here, by declaring us out of his Protection and waging War against us.
He has plundered our seas, ravaged our Coasts, burnt our towns, and destroyed the lives of our people.
He is at this time transporting large Armies of foreign Mercenaries to compleat the works of death, desolation and tyranny, already begun with circumstances of Cruelty and perfidy scarcely paralleled in the most barbarous ages, and totally unworthy the Head of a civilized nation.
He has constrained our fellow Citizens taken Captive on the high Seas to bear Arms against their Country, to become the executioners of their friends and Brethren, or to fall themselves by their Hands.
He has excited domestic insurrections amongst us, and has endeavoured to bring on the inhabitants of our frontiers, the merciless Indian Savages, whose known rule of warfare, is an undistinguished destruction of all ages, sexes and conditions.
In every stage of these Oppressions We have Petitioned for Redress in the most humble terms: Our repeated Petitions have been answered only by repeated injury. A Prince whose character is thus marked by every act which may define a Tyrant, is unfit to be the ruler of a free people.
Nor have We been wanting in attentions to our British brethren. We have warned them from time to time of attempts by their legislature to extend an unwarrantable jurisdiction over us. We have reminded them of the circumstances of our emigration and settlement here. We have appealed to their native justice and magnanimity, and we have conjured them by the ties of our common kindred to disavow these usurpations, which, would inevitably interrupt our connections and correspondence. They too have been deaf to the voice of justice and of consanguinity. We must, therefore, acquiesce in the necessity, which denounces our Separation, and hold them, as we hold the rest of mankind, Enemies in War, in Peace Friends.
We, therefore, the Representatives of the united States of America, in General Congress, Assembled, appealing to the Supreme Judge of the world for the rectitude of our intentions, do, in the Name, and by the Authority of the good People of these Colonies, solemnly publish and declare, That these United Colonies are, and of Right ought to be Free and Independent States; that they are Absolved from all Allegiance to the British Crown, and that all political connection between them and the State of Great Britain, is and ought to be totally dissolved; and that as Free and Independent States, they have full Power to levy War, conclude Peace, contract Alliances, establish Commerce, and to do all other Acts and Things which Independent States may of right do. And for the support of this Declaration, with a firm reliance on the protection of divine Providence, we mutually pledge to each other our Lives, our Fortunes and our sacred Honor.

View File

View File

View File

@ -0,0 +1 @@
I have a little frog,, His name is Tiny Tim. , I put him in the bathtub,, to see if he could swim., , He drank up all the water, , and gobbled up the soap!, And when he tried to talk, He had a BUBBLE in his throat! , , Hey little froggy tell me what do you say!?,

View File

@ -0,0 +1,5 @@
It's a text file
We have to turn it into pig latin
But I like BUBBLES!

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,178 @@
// Name: B6-24
// Date: 09/13/19
import java.util.Scanner;
public class Sentence_Driver
{
public static void main(String[] args)
{
System.out.println("PALINDROME TESTER");
Sentence s = new Sentence( "\"Hello there!\" she said." );
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
s = new Sentence( "A Santa lived as a devil at NASA." );
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
s = new Sentence( "Flo, gin is a sin! I golf." );
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
s = new Sentence( "Eva, can I stab bats in a cave?" );
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
s = new Sentence( "Madam, I'm Adam." );
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
// Lots more test cases. Test every line of code. Test
// the extremes, test the boundaries. How many test cases do you need?
s = new Sentence("REd ru????M, SiR, i..................s !m!u!r!d!e!r!");
System.out.println( s.getSentence() );
System.out.println( s.getNumWords() );
System.out.println( s.isPalindrome() );
System.out.println();
// Scanner sc = new Scanner(System.in);
// while(true) {
// System.out.print("\nWhat sentence? ");
// s = new Sentence(sc.nextLine());
// System.out.println( s.getSentence() );
// System.out.println( s.getNumWords() );
// System.out.println( s.isPalindrome() );
// System.out.println();
//
//
// }
}
}
class Sentence
{
private String mySentence;
private int myNumWords;
//Precondition: str is not empty.
// Words in str separated by exactly one blank.
public Sentence( String str )
{
mySentence = str;
String[] words = str.split(" ");
myNumWords = words.length;
}
public int getNumWords()
{
return myNumWords;
}
public String getSentence()
{
return mySentence;
}
//Returns true if mySentence is a palindrome, false otherwise.
public boolean isPalindrome()
{
String s = removeBlanks(lowerCase(removePunctuation(mySentence)));
return isPalindrome(s, 0, s.length() - 1);
}
//Precondition: s has no blanks, no punctuation, and is in lower case.
//Returns true if s is a palindrome, false otherwise.
public static boolean isPalindrome( String s, int start, int end )
{
if (start >= end) {
return true;
} else if (s.charAt(start) == s.charAt(end)) {
start++; end--;
return isPalindrome(s, start, end);
} else {
return false;
}
}
//Returns copy of String s with all blanks removed.
//Postcondition: Returned string contains just one word.
public static String removeBlanks( String s )
{
return s.replace(" ", "");
}
//Returns copy of String s with all letters in lowercase.
//Postcondition: Number of words in returned string equals
// number of words in s.
public static String lowerCase( String s )
{
return s.toLowerCase();
}
//Returns copy of String s with all punctuation removed.
//Postcondition: Number of words in returned string equals
// number of words in s.
public static String removePunctuation( String s )
{
String punct = ".,'?!:;\"(){}[]<>-";
String noPunct = "";
String[] words = s.split(" ");
for (int i = 0; i < words.length; i++) {
char[] letters = words[i].toCharArray();
String newWord = "";
for (int j = 0; j < letters.length; j++) {
if (!punct.contains("" + letters[j])){
newWord += letters[j];
}
}
noPunct += newWord;
if (i != (words.length - 1))
noPunct += " ";
}
return noPunct;
}
}
/*****************************************
PALINDROME TESTER
"Hello there!" she said.
4
false
A Santa lived as a devil at NASA.
8
true
Flo, gin is a sin! I golf.
7
true
Eva, can I stab bats in a cave?
8
true
Madam, I'm Adam.
3
true
**********************************************/

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,184 @@
// Name: B6-24
// Date: 09/16/19
import java.util.*;
public class LogMessageTest
{
public static void main(String[] args)
{
String[] messages = {
"CLIENT3:security alert - repeated login failures",
"Webserver:disk offline",
"SERVER1:file not found",
"SERVER2:read error on disk DSK1",
"SERVER1:write error on disk DSK2",
"Webserver:error on /dev/disk",
"True:disk",
"True:error on disk",
"True:error on /dev/disk disk",
"True:error on disk DSK1",
"False:DISK",
"False:error on disk3",
"False:error on /dev/disk",
"False:diskette"};
// Parts A and B
for (String s : messages)
{
LogMessage msg = new LogMessage(s);
System.out.println(msg.getMachineId() + ":" + msg.getDescription() + " ==> " + msg.containsWord("disk"));
}
// Part C
// SystemLog theLog = new SystemLog(messages);
// LogMessage[] removed = theLog.removeMessages("disk");
//
// System.out.println();
//
// System.out.println("Removed messages:\n");
// for (LogMessage msg : removed)
// System.out.println(msg);
// System.out.println();
//
// System.out.println("Remaining messages:\n");
// System.out.println(theLog);
}
}
class LogMessage
{
private String machineId;
private String description;
/* Part (a) */
public LogMessage(String message)
{
String[] messageParts = message.split(":");
machineId = messageParts[0];
description = messageParts[1];
}
/* Part (b) */
public boolean containsWord(String keyword)
{
String[] words = description.split(" ");
for (String word : words)
if (word.equals(keyword))
return true;
return false;
}
public String getMachineId()
{
return machineId;
}
public String getDescription()
{
return description;
}
public String toString()
{
return getMachineId() + ":" + getDescription();
}
}
class SystemLog
{
private LogMessage[] messageList;
public SystemLog(String[] messages)
{
messageList = new LogMessage[messages.length];
for (int i=0;i<messages.length; i++)
messageList[i]=(new LogMessage(messages[i]));
}
/* Part (c) */
// public LogMessage[] removeMessages(String keyword)
// {
// int removeCounter = 0;
// int keepCounter = 0;
// for (LogMessage msg : messageList) {
// if (msg.containsWord(keyword)) {
// removeCounter++;
// } else {
// keepCounter++;
// }
// }
//
// LogMessage[] removedMsg = new LogMessage[removeCounter];
// LogMessage[] keepMsg = new LogMessage[keepCounter];
// removeCounter = 0;
// keepCounter = 0;
// for (LogMessage msg : messageList) {
// if (msg.containsWord(keyword)) {
// removedMsg[removeCounter] = msg;
// removeCounter++;
// } else {
// keepMsg[keepCounter] = msg;
// keepCounter++;
// }
// }
//
// messageList = keepMsg;
// return removedMsg;
// }
public String toString()
{
String s = "";
for (LogMessage msg : messageList)
s += msg + "\n";
return s;
}
}
/**************** Sample output:
// Parts a and b
CLIENT3:security alert - repeated login failures ==> false
Webserver:disk offline ==> true
SERVER1:file not found ==> false
SERVER2:read error on disk DSK1 ==> true
SERVER1:write error on disk DSK2 ==> true
Webserver:error on /dev/disk ==> false
True:disk ==> true
True:error on disk ==> true
True:error on /dev/disk disk ==> true
True:error on disk DSK1 ==> true
False:DISK ==> false
False:error on disk3 ==> false
False:error on /dev/disk ==> false
False:diskette ==> false
// Part c
Removed messages:
Webserver:disk offline
SERVER2:read error on disk DSK1
SERVER1:write error on disk DSK2
True:disk
True:error on disk
True:error on /dev/disk disk
True:error on disk DSK1
Remaining messages:
CLIENT3:security alert - repeated login failures
SERVER1:file not found
Webserver:error on /dev/disk
False:DISK
False:error on disk3
False:error on /dev/disk
False:diskette
********************************************/

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,534 @@
// Name: B6-24
// Date: 09/18/19
import java.util.Scanner;
import java.io.File;
import java.text.DecimalFormat;
//here any additional imports that you may need
import java.io.FileNotFoundException;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Cemetery
{
public static void main (String [] args)
{
File file = new File("cemetery_short.txt");
int numEntries = countEntries(file);
Person[] cemetery = readIntoArray(file, numEntries);
int min = locateMinAgePerson(cemetery);
int max = locateMaxAgePerson(cemetery);
//for testing only
for (int i = 0; i < cemetery.length; i++)
System.out.println(cemetery[i]);
System.out.println("In the St. Mary Magdelene Old Fish Cemetery --> ");
System.out.println("Name of youngest person: " + cemetery[min].getName());
System.out.println("Age of youngest person: " + cemetery[min].getAge());
System.out.println("Name of oldest person: " + cemetery[max].getName());
System.out.println("Age of oldest person: " + cemetery[max].getAge());
//you may create other testing cases here
//comment them out when you submt your file to gradeit
/* Extension:
For the extension, I made two ways to search the data, for I've got
much too much time on the bus ride home. Both methods only require
a Person array as arguments.
runSearch() allows the user to search via a text-based interface by
age, burial date, and name
searchGUI() starts a GUI(not the prettiest thing) made with swing to
be able to search by age, burial date, and name
*/
//Run TUI
runSearch(cemetery);
//Run GUI
//new searchGUI(cemetery);
}
//
public static class searchGUI extends JFrame {
public searchGUI (Person[] arr) {
JPanel panel = new JPanel();
panel.setLayout(new BorderLayout());
JLabel title = new JLabel("Cemetery Search System");
title.setHorizontalAlignment(JLabel.CENTER);
title.setVerticalAlignment(JLabel.CENTER);
title.setFont(title.getFont().deriveFont(18.0f));
panel.add(title , BorderLayout.NORTH);
GridLayout gridLayout = new GridLayout(3,3);
JPanel gridPanel = new JPanel();
gridPanel.setLayout(gridLayout);
JLabel searchAgeLabel, searchNameLabel, searchBurialDateLabel;
searchAgeLabel = new JLabel("Search by age:");
searchNameLabel = new JLabel("Search by name:");
searchBurialDateLabel = new JLabel("Search by burial date:");
searchAgeLabel.setFont(searchAgeLabel.getFont().deriveFont(15f));
searchBurialDateLabel.setFont(searchBurialDateLabel.getFont().deriveFont(15.0f));
searchNameLabel.setFont(searchNameLabel.getFont().deriveFont(15.0f));
searchAgeLabel.setHorizontalAlignment(JLabel.CENTER);
searchNameLabel.setHorizontalAlignment(JLabel.CENTER);
searchBurialDateLabel.setHorizontalAlignment(JLabel.CENTER);
JButton searchAgeButton, searchNameButton, searchBurialDateButton;
searchAgeButton = new JButton("SEARCH");
searchNameButton = new JButton("SEARCH");
searchBurialDateButton = new JButton("SEARCH");
JTextField searchAgeField, searchNameField, searchBurialDateField;
searchAgeField = new JTextField(8);
searchNameField = new JTextField(10);
searchBurialDateField = new JTextField(11);
JPanel[] gridPanels = new JPanel[9];
for (int i = 0; i < gridPanels.length; i++)
gridPanels[i] = new JPanel();
gridPanels[0].add(searchAgeLabel);
gridPanels[1].add(searchNameLabel);
gridPanels[2].add(searchBurialDateLabel);
gridPanels[3].add(searchAgeField);
gridPanels[4].add(searchNameField);
gridPanels[5].add(searchBurialDateField);
gridPanels[6].add(searchAgeButton);
gridPanels[7].add(searchNameButton);
gridPanels[8].add(searchBurialDateButton);
for (int i = 0; i < gridPanels.length; i++)
gridPanel.add(gridPanels[i]);
JTextArea results = new JTextArea(7, 45);
JButton clearButton = new JButton("Clear");
JPanel bottomPanel = new JPanel();
bottomPanel.setPreferredSize(new Dimension(500, 150));
bottomPanel.add(results);
bottomPanel.add(clearButton);
panel.add(bottomPanel, BorderLayout.SOUTH);
panel.add(gridPanel, BorderLayout.CENTER);
add(panel);
searchAgeButton.addActionListener(
new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
results.setText(searchAge(arr, searchAgeField.getText()));
searchAgeField.setText("");
}
});
searchNameButton.addActionListener(
new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
results.setText(searchName(arr, searchNameField.getText()));
searchNameField.setText("");
}
});
searchBurialDateButton.addActionListener(
new ActionListener(){
@Override
public void actionPerformed(ActionEvent e) {
results.setText(searchBurialDate(arr, searchBurialDateField.getText()));
searchBurialDateField.setText("");
}
});
clearButton.addActionListener(
new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
results.setText("");
searchAgeField.setText("");
searchNameField.setText("");
searchBurialDateField.setText("");
}
});
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setSize(500, 300);
setVisible(true);
}
public static String searchName(Person[] arr, String searchTerm) {
searchTerm = searchTerm.toLowerCase().trim();
String queryResults = "";
boolean nameFound = false;
for (int i = 0; i < arr.length; i++) {
String currentName = arr[i].getName().toLowerCase().trim();
if (currentName.equals(searchTerm)) {
queryResults += arr[i].toString() + "\n";
nameFound = true;
}
}
if (!nameFound)
queryResults = "NO PEOPLE FOUND";
return queryResults;
}
public String searchBurialDate(Person[] arr, String searchTerm) {
searchTerm = searchTerm.toLowerCase().trim();
String queryResults = "";
boolean dateFound = false;
for (int i = 0; i < arr.length; i++) {
String currentDate = arr[i].getBurialDate().toLowerCase().trim();
if (currentDate.equals(searchTerm)) {
queryResults += arr[i].toString() + "\n";
dateFound = true;
}
}
if (!dateFound)
queryResults = "NO PEOPLE FOUND";
return queryResults;
}
public String searchAge(Person[] arr, String searchTerm) {
String queryResults = "";
Person holder = new Person("", "", 0.0);
double searchValue = holder.calculateAge(searchTerm);
boolean ageFound = false;
for (int i = 0; i < arr.length; i++) {
double currentAge = arr[i].getAge();
if (currentAge == searchValue) {
queryResults += arr[i].toString() + "\n";
ageFound = true;
}
}
if (!ageFound)
queryResults = "NO PEOPLE FOUND";
return queryResults;
}
}
/* Counts and returns the number of entries in File f.
Returns 0 if the File f is not valid.
Uses a try-catch block.
@param f -- the file object
*/
public static int countEntries(File f)
{
Scanner file = null;
try {
file = new Scanner(f);
int counter = 0;
while (file.hasNextLine()) {
file.nextLine();
counter++;
}
return counter;
} catch(FileNotFoundException e) {
return 0;
}
}
/* Reads the data from file f (you may assume each line has same allignment).
Fills the array with Person objects. If File f is not valid return an empty array.
Uses a try-catch block.
@param f -- the file object
@param num -- the number of lines in the File f
*/
public static Person[] readIntoArray (File f, int num)
{
Scanner file = null;
try {
file = new Scanner(f);
} catch(FileNotFoundException e) {
return new Person[0];
}
Person[] dataArr = new Person[num];
int counter = 0;
while (file.hasNextLine()) {
Person person = makeObjects(file.nextLine());
System.out.println(person.toString());
dataArr[counter] = person;
counter++;
}
return dataArr;
}
/* A helper method that instantiates one Person object.
@param entry -- one line of the input file.
This method is made public for gradeit testing purposes.
This method should not be used in any other class!!!
*/
public static Person makeObjects(String entry)
{
String name = entry.substring(0, 25);
String date = entry.substring(25, 37);
String age = entry.substring(37, 42).trim();
Person person = new Person(name, date, 0.0);
person.setAge(person.calculateAge(age));
return person;
}
/* Finds and returns the location (the index) of the Person
who is the youngest. (if the array is empty it returns -1)
If there is a tie the lowest index is returned.
@param arr -- an array of Person objects.
*/
public static int locateMinAgePerson(Person[] arr)
{
if (arr.length == 0)
return -1;
int index = 0;
double lowestValue = 99999999.0;
for (int i = 0; i < arr.length; i++) {
if (arr[i].getAge() < lowestValue) {
index = i;
lowestValue = arr[i].getAge();
}
}
return index;
}
/* Finds and returns the location (the index) of the Person
who is the oldest. (if the array is empty it returns -1)
If there is a tie the lowest index is returned.
@param arr -- an array of Person objects.
*/
public static int locateMaxAgePerson(Person[] arr)
{
if (arr.length == 0)
return -1;
int index = 0;
double highestValue = 0.0;
for (int i = 0; i < arr.length; i++) {
if (arr[i].getAge() > highestValue) {
index = i;
highestValue = arr[i].getAge();
}
}
return index;
}
/* Extension:
The methods below allows the user to search the cemetery by name, burial date, or age of death with a text based interface.
*/
public static void runSearch(Person[] arr) {
Scanner sc = new Scanner(System.in);
System.out.println("Would you like to run a search on the cemetery(y/n)?");
String s = sc.nextLine().trim();
if (s.equals("n") || s.equals("no"))
System.exit(0);
while(true) {
System.out.println("\n");
System.out.println("Welcome to the search system for your cemetery!\nType in a field you want to search by(name, burialdate, or age) or type exit to exit:");
s = sc.nextLine().trim();
System.out.println("\n\n\n\n\n\n\n\n");
if (s.toLowerCase().equals("exit")) {
System.out.println("Goodbye!");
System.exit(0);
} else if (s.toLowerCase().equals("name")) {
searchName(arr);
} else if (s.toLowerCase().equals("burialdate") || s.toLowerCase().equals("burial date")) {
searchBurialDate(arr);
} else if (s.toLowerCase().equals("age")) {
searchAge(arr);
}
}
}
public static void searchName(Person[] arr) {
Scanner sc = new Scanner(System.in);
System.out.println("You chose NAME! Type in a name to search by, case doesn't matter(or type back to return)");
String searchTerm = sc.nextLine().toLowerCase().trim();
System.out.println("\n");
if (!searchTerm.equals("back")) {
System.out.println("Here are the results of your query:");
boolean nameFound = false;
for (int i = 0; i < arr.length; i++) {
String currentName = arr[i].getName().toLowerCase().trim();
if (currentName.equals(searchTerm)) {
System.out.println(arr[i].toString());
nameFound = true;
}
}
if (!nameFound)
System.out.println("NO PEOPLE FOUND");
}
}
public static void searchBurialDate(Person[] arr) {
Scanner sc = new Scanner(System.in);
System.out.println("You chose BURIAL DATE! Type in a date to search by as follows: 03 Apr 1850(or type back to go back)");
String searchTerm = sc.nextLine().toLowerCase().trim();
System.out.println("\n");
if (!searchTerm.equals("back")) {
System.out.println("Here are the results of your query:");
boolean dateFound = false;
for (int i = 0; i < arr.length; i++) {
String currentDate = arr[i].getBurialDate().toLowerCase().trim();
if (currentDate.equals(searchTerm)) {
System.out.println(arr[i].toString());
dateFound = true;
}
}
if (!dateFound)
System.out.println("NO PEOPLE FOUND");
}
}
public static void searchAge(Person[] arr) {
Scanner sc = new Scanner(System.in);
System.out.println("You chose AGE! You can search by weeks(14w), days(6d), years(34), or a decimal value(.011). Type the age below: (or type back to go back)");
String searchTerm = sc.nextLine().toLowerCase().trim();
System.out.println("\n");
if (!searchTerm.equals("back")) {
System.out.println("Here are the results of your query:");
Person holder = new Person("", "", 0.0);
double searchValue = holder.calculateAge(searchTerm);
boolean ageFound = false;
for (int i = 0; i < arr.length; i++) {
double currentAge = arr[i].getAge();
if (currentAge == searchValue) {
System.out.println(arr[i].toString());
ageFound = true;
}
}
if (!ageFound)
System.out.println("NO PEOPLE FOUND");
}
}
}
class Person
{
//constant that can be used for formatting purpose
private static final DecimalFormat df = new DecimalFormat("0.0000");
/* private fields */
private double myAge;
private String myName, myBurialDate;
/* a three-arg constructor
@param name, birthdate may have leading or trailing spaces
It creates a valid Person object in which each field has the leading and trailing
spaces eliminated*/
public Person(String name, String burialDate, double age)
{
myName = name;
myBurialDate = burialDate;
myAge = age;
}
/* any necessary accessor methods (at least "double getAge()" and "String getName()" )
make sure your get and/or set methods use the same datat type as the field */
double getAge() {
return myAge;
}
String getName() {
return myName;
}
String getBurialDate() {
return myBurialDate;
}
void setAge(double age) {
myAge = age;
}
void setName(String name) {
myName = name;
}
void setBurialDate(String date) {
myBurialDate = date;
}
public String toString() {
return myName+myBurialDate+myAge;
}
/*handles the inconsistencies regarding age
@param a = a string containing an age from file. Ex: "12", "12w", "12d"
returns the age transformed into year with 4 decimals rounding
*/
public double calculateAge(String a)
{
double ageValue = 0.0;
if (!Character.isLetter(a.charAt(a.length() - 1))) {
ageValue = Double.parseDouble(a);
} else {
if (a.charAt(a.length() - 1) == 'd') {
ageValue = Double.parseDouble(df.format(Double.parseDouble(a.substring(0, a.length() - 1)) / 365));
} else if (a.charAt(a.length() - 1) == 'w') {
ageValue = Double.parseDouble(df.format((Double.parseDouble(a.substring(0, a.length() - 1)) * 7) / 365));
}
}
return Double.parseDouble(df.format(ageValue));
}
}

Binary file not shown.

View File

@ -0,0 +1,612 @@
John William ALLARDYCE 17 Mar 1844 2.9 Little Knight Ryder Street
Frederic Alex. ALLARDYCE 21 Apr 1844 0.17 Little Knight Ryder Street
Philip AMIS 03 Aug 1848 1 18 1/2 Knight Rider Street
Thomas ANDERSON 06 Jul 1845 27 2, Bennet's Hill
Edward ANGEL 20 Nov 1842 22 Crane Court Lambeth Hill
Sarah ANGELL 09 Oct 1836 42 Lambeth Hill
Sarah ANSELL 31 May 1829 29 High Timber St, Upper Thames St
Charles ANTHONY 22 Jul 1849 6 3,Taylor's Court, Lambeth Hill
Sarah Ann ANTHONY 06 Aug 1828 47 Lambeth Hill
Sarah ARLETT 27 May 1849 2 5, Little Knight Rider Street
Hannah AUSTIN 23 Feb 1819 41 Box MDX
Oliver AUSTIN 19 Feb 1816 0.5 Mile End
Rosina AUSTIN 07 Mar 1833 20 Mile End MDX
Hannah AYLIFF 18 Jul 1832 11 Lambeth Hill
Hannah AYLIFF 10 Dec 1834 44 Crane Court Lambeth Hill
William James AYLIFF 31 Jan 1819 0.2 Crane Court Lambeth Hill
George BAKER 08 Jan 1839 46 Knight Ryder Court
Caroline BARHAM 11 Jul 1851 56 6, Pelham Place, Brompton
Richard Harris BARHAM 21 Jun 1845 57 Residentary Ho. Amen Corner
Ann BARRY 21 Sep 1842 64 Bucks Head Court
Frederick BARTLETT 29 Nov 1839 0.11 Crane Court
Mary BATEMAN 31 Oct 1847 67 24, Lambeth Hill
John Gardner BATTEN 08 Dec 1819 0.18 Westham ESS
George BAXTER 08 Sep 1835 30 Knight Rider Court
Susanna BAXTER 05 Sep 1830 40 Crane Court Lambeth Hill
Mary BEARNARD 19 Oct 1834 21 Little Knight Ryder Street
Henry BEAUMONT 21 Nov 1813 1.9 Old Change
Mary Ann BEAUMONT 15 Dec 1813 27 Old Change
Thomas BEAUMONT 08 Jun 1833 0.4 Knowles Court
George Jacob BECK 19 Apr 1846 0.7 Sermon Lane
Eleanor BECKLEY 17 Nov 1850 1 4, Lambeth Hill
Mary Ann BECKWITH 29 Jun 1828 0.10 Crane Court Lambeth Hill
Sarah BECKWITH 21 Jan 1828 2.6 Crane Court Lambeth Hill
Henry Charles BENNET 01 Aug 1847 0.15 6, Lambeth Hill
Hannah BENNETT 26 Sep 1841 0.10 Lambeth Hill
Mary Wicks BENNETT 14 Apr 1850 38 6, Lambeth Hill
William BENNETT 05 Jul 1837 0.6 Lambeth Hill
William Perkins BENNETT 28 Dec 1845 3 Lambeth Hill
Wm. Geo. Perkins BENNETT 27 Mar 1836 0.5 Lambeth Hill
George BENSTEAD 02 Apr 1837 0.7 Lambeth Hill
John Stephen BENSTEAD 29 Mar 1839 0.8 Lambeth Hill
Ann Elizabeth BENYON 04 Jan 1814 26 Crane Court Lambeth Hill
Charles James BERRY 03 Mar 1841 34 Sermon Lane
Sarah BERRY 26 Jan 1817 0.21 Little Knight, Ryder Street
Philemon BETTS 11 Apr 1820 35 Upper Thames Street
Ann BIRCH 30 Oct 1850 75 1,Taylor's Court, Lambeth Hill
Elizabeth BIRCH 09 Aug 1829 58 Lambeth Hill
Elizabeth Ann BIRCH 07 Jul 1832 2w Lambeth Hill
Sarah BIRCH 12 Aug 1832 32 Green Dragon Crt, St Andrews Hill
Sarah Lucy BIRCH 26 Feb 1834 30 Lambeth Hill
Jane BIRCHILL 31 Mar 1839 18 New Street, St Bride's
Alfred BLACKLEDGE 26 Sep 1848 21 6,Green Arbour Court, Lambeth Hill
Charles BLACKLEDGE 07 Jan 1835 2 Green Arbour Court
Charles BLACKLEDGE 07 Aug 1831 0.18 Green Arbour Court
George BLACKLEDGE 30 Aug 1831 6 Green Arbour Court
Jane BLACKLEDGE 03 Jun 1821 32 Green Arbour Court
John BLACKLEDGE 27 Sep 1835 44 Green Arbour Court
Elizabeth BLACKMORE 24 Jan 1830 52 Lambeth Hill
Thomas BODKIN 13 May 1821 23 Crane Court Lambeth Hill
Frances BOTLEY 24 Dec 1816 8 Lambeth Hill
John BOWLES 17 Aug 1817 22 Green Arbour Court
Mary BOWLES 09 May 1838 33 Green Arbour Court
Mary BOWLES 01 Dec 1850 78 Green Arbour Court, Lambeth Hill
Ann BOX 08 Feb 1815 0.15 Crane Court Lambeth Hill
Jane BRADSHAW 09 Dec 1833 0.3 Crane Court Lambeth Hill
William BRAINTRUMP 15 Sep 1839 5 Lambeth Hill
Sarah BRINDLE 11 Aug 1816 74 Taylor's Court
William BROOKES 24 Feb 1822 1 Green Arbour Court, Lambeth Hill
Elizabeth BROWN 13 Oct 1839 33 High Holborn
John BROWN 11 May 1845 26 Parr's Head Corner Peters Hill
Angelina BUCKLEY 28 Jan 1851 38 3, Morris Yard, Old Fish Street
Jacob George BUCKLEY 22 Nov 1840 0.3 Lambeth Hill
Ann BUCKMASTER 06 Apr 1817 3.10 Lambeth Hill
Mary Ann BUFFHAM 25 Jun 1839 3 Green Arbour Court, Lambeth Hill
Sarah BUNKER 01 Jul 1817 47 Little Knight Ryder Street
William BURCH 02 May 1847 71 4, Lambeth Hill
Lucy BURGESS 21 Dec 1834 45 Little Knight Ryder Street
Henry BURGMAN 21 Jan 1838 76 Little Knight Ryder Street
Ann BURGOYNE 28 Aug 1823 5 White Cross St, Cripplegate
Ann BURGOYNE 02 Sep 1833 55 Little Knight Ryder Street
John BURGOYNE 20 Nov 1814 3.9 Friars Streets Blackfriars
John BURGOYNE 05 Jan 1834 53 Little Knight Ryder Street
Mary BURGOYNE 20 Jun 1813 33 Lambeth Hill
Thomas BURGUIN 17 Mar 1816 62 Knight Rider Court
Ann CARDWELL 24 Jul 1842 48 Green Arbour Court, Lambeth Hill
Jane CAREY 31 Jan 1830 0.3 Taylor's Court, Lambeth Hill
Ann Charlotte CARPENTER 21 Nov 1851 76 14, Park Place Peckham
James CARPENTER 05 Jun 1838 67 Peckham SRY
Joseph CARPENTER 18 Jun 1829 13 Peckham SRY
Elizabeth CARTER 17 May 1842 74 Green Arbour Court, Lambeth Hill
Henry Eli CASTLEMAN 24 Sep 1839 30 Old Change
Priscilla Mary Ann CAVE 08 Mar 1814 1.2 Lambeth Hill
Mary CHAMBERS 21 Nov 1830 70 Lambeth Hill
William CHAMBERS 13 Mar 1827 75 Lambeth Hill
Charles CLARK 26 Mar 1826 2.3 Brew Street Hill
Elizabeth CLARK 23 Aug 1818 64 Lambeth Hill
Emma CLARK 14 Oct 1849 4 15, Old Change
George CLARK 09 Dec 1821 68 Lambeth Hill
Isabella CLARK 08 Apr 1813 7d Little Knight Ryder Street
Mary Jane CLARK 12 May 1838 20 Old Change
William Penn CLARK 21 Apr 1833 40 Bell Square, Bishopsgate
Thomas CLOSE 29 Jun 1824 55 Little Knight Ryder Street
Ellen COCHRAM 11 Jun 1848 42 27, Addle Hill
John COCKERING 19 Dec 1849 7 18, Old Change
Elizabeth COCKHEAD 09 Jun 1850 21 New Street, Blackfriars
Eliza Erinder COGGER 04 Nov 1823 0.10 Peters Hill
Lucy Ann COLEBACK 23 Jul 1843 4w Lambeth Hill
Charles COLES 01 Dec 1833 2 Great Carter Lane
Eliza COLES 16 Apr 1826 10 Crane Court Lambeth Hill
Jane COLES 05 Jul 1832 5 Great Carter Lane
John COLES 09 Oct 1836 17 Great Carter Lane, Doctors Commos
William COLES 28 Apr 1833 3.10 Great Carter Lane
Richard COLLETT 01 Oct 1843 39 Old Change
Thomas William COLLEY 08 Aug 1833 4d Lambeth Hill
Joseph COLLIER 03 Apr 1831 58 Lambeth Hill
James Robert COLLINS 25 Mar 1834 1.6 Lambeth Hill
Sarah COLLINSON 15 Sep 1839 0.2 Knight Rider Court
John Speechley COOK 09 Mar 1817 2 Great Carter Lane
Elizabeth COOKE 27 Aug 1825 39 Crew Lane
Emma COOKSON 16 Jul 1826 0.3 Old Change
Emma COOKSON 16 Jul 1826 0.3 Old Change
Elizabeth COSTER 24 Sep 1826 42 Crane Court Lambeth Hill
Mary COWLING 13 Nov 1825 0.10 Lambeth Hill
Mary Ann COX 08 Aug 1833 4d St Peters Hill
Alice CRAGG 11 Aug 1834 2 Taylor's Court, Lambeth Hill
John CRAGG 19 Aug 1832 34 Green Arbour Court, Lambeth Hill
John CROCKFORD 16 Jul 1834 67 Crane Court Lambeth Hill
Harriot CROFT 08 Oct 1819 31 Portpool Street St Andrews Holbon
Margaret CROFT 20 Jan 1819 0.2 Little Knight Ryder Street
James CROLL 19 Apr 1829 43 Lambeth Hill
Charles CROOT 09 Jun 1818 2 Windsor Crt Little Knight Rider Court
Charles Neal CUMMINGS 12 Dec 1825 18 Great Carter Lane
Ann CUMMINS 16 Jun 1832 66 Great Carter Lane
Thomas CUNNINGHAM 07 Jun 1846 17 21, Lambeth Hill
Ann DALBY 11 Aug 1839 60 Green Arbour Court, Lambeth Hill
Thomas DALBY 18 Apr 1841 25 Green Arbour Court, Lambeth Hill
William DALBY 29 May 1842 65 Green Arbour Court, Lambeth Hill
William DAVIS 28 Jun 1845 71 Ludgate Street
William DAWES 25 Aug 1833 65 Taylor's Court, Lambeth Hill
Mary DAWSON 20 Oct 1850 62 14, Sermon Lane
James DAY 22 Jan 1815 0.13 Sermon Lane
John DAY 17 Nov 1819 1 Sermon Lane
Richard DAY 29 Apr 1819 36 Sermon Lane
Mary Ann DEACH 29 Oct 1843 0.22 Lambeth Hill
Jane DERBYSHIRE 19 Jan 1817 2 Old Change
William DEVEY 21 Dec 1834 0.3 Green Arbour Court, Lambeth Hill
Henry DIAL 07 Jun 1836 2w Crane Court Lambeth Hill
Frederick DILLAY 04 May 1834 2 Little Carter Lane
Richard DILLEY 26 Jan 1837 46 Little Carter Lane
William DOLBY 20 Jul 1824 5.6 Green Arbour Court, Lambeth Hill
Charles DORSETT 01 Oct 1848 0.6 4, Lambeth Hill
Mary DOUGLAS 26 Jan 1839 0.14 Knight Rider Street
Elizabeth DOWNES 04 Jun 1837 48 Taylor's Court, Lambeth Hill
John DRAKE 21 Apr 1833 50 Lambeth Hill
Elizabeth DUDLEY 03 Oct 1847 73 1,Taylor's Court, Lambeth Hill
Sarah DUNN 27 Oct 1816 55 Christ Church SRY
Amelia DYSON 06 Dec 1814 0.6 Old Change
Hannah DYSON 24 Mar 1819 60 High Street. Marylebone MDX
Robert Joseph DYSON 05 Jan 1813 1.6 Old Change
Thomas DYSON 18 Sep 1813 0.10 Old Change
William EADES 19 Aug 1818 5 Taylors Court Lambeth Hill
Edwin EARDLEY 08 Dec 1833 25 Little Knight Rider Street
Henry EDMONDS 09 Apr 1826 38 Old Change
William EDMUNDS 03 Feb 1825 60 Lambeth Hill
George EDWARDS 11 Jul 1813 49 Taylors Court Lambeth Hill
Harriet Sarah ELLARD 16 Jun 1844 0.11 Lambeth Hill
John Yates ELLIS 29 Nov 1830 5d Little Knight Rider Street
Thomas ELLIS 15 Mar 1829 0.10 Knight Rider Court
James ENTWISLE 22 May 1819 40 Little Knight Ryder Street
Mary Ann ESCOTT 26 Aug 1821 0.3 Crane Court Lambeth Hill
John EVANS 26 Aug 1819 11 Lambeth Hill
William EVANS 13 Nov 1814 1.2 Green Arbour Court, Lambeth Hill
Jane EXTON 26 Mar 1815 54 Green Arbour Court, Lambeth Hill
Lewis FACHE 28 Dec 1823 0.10 Crane Court Lambeth Hill
Mary FACHE 09 Jun 1822 0.18 Crane Court Lambeth Hill
Mary FARMFIELD 05 Mar 1843 64 Lambeth Hill
Elizabeth FARROW 20 Dec 1819 65 Green Arbour Court, Lambeth Hill
Edward FELLOWES 28 Apr 1833 2 Taylor's Court, Lambeth Hill
Lydia FELLOWS 28 Jan 1844 33 Lambeth Hill
William Henry FELLOWS 28 Jun 1837 0.13 Lambeth Hill
Mary Ann FERRIDAY 16 Mar 1851 69 2, Fish Street
Mary FIELD 20 Feb 1829 0.3 Lambeth Hill
Harriett FINCH 01 Feb 1852 0.9 Green Arbour Court, Lambeth Hill
George FLANDERS 16 Aug 1837 0.3 St Peters Hill
Louisa FLANDERS 25 Jun 1839 9.3 St Peters Hill
William FLANDERS 19 May 1833 2.6 St Peters Hill
William FLANDERS 28 Nov 1847 50 15 Labour in Vain Yard Lambeth Hill
Elizabeth FLINTAN 20 Jul 1832 39 Green Arbour Court, Lambeth Hill
Jane FLUDE 01 Nov 1832 58 Little Knight Ryder Street
Elizxabeth FOON 25 Aug 1833 14 Green Arbour Court, Lambeth Hill
George FOON 28 May 1816 0.19 Green Arbour Court, Lambeth Hill
John FOON 09 Jun 1816 4 Green Arbour Court, Lambeth Hill
John FOON 10 Jan 1841 60 Green Arbour Court, Lambeth Hill
William FOONE 16 May 1847 24 3, Green Arbour Court, Lambeth Hill
Levina FRANCIS 11 Aug 1844 6 Bennetts Hill
William FROSTICK 06 Nov 1825 1.8 Lambeth Hill
Elizabeth GABRIEL 30 Apr 1834 18 Lambeth Hill
George GALE 17 Nov 1833 6 Crane Court Lambeth Hill
Elizabeth GALLANT 27 Aug 1848 11 10, Crane Court
Esther GALLERY 01 Jun 1813 62 Taylor's Court, Lambeth Hill
Elizabeth GARDENER 13 Mar 1836 30 Knight Riders Court
James GARDNER 05 Jan 1826 0.16 Taylor's Court, Lambeth Hill
Sarah GARDNER 24 Nov 1831 50 Crane Court Lambeth Hill
Augusta Sophia GAUGIN 04 Nov 1821 16 Knowles Court
Jane GIBBS 10 Jul 1839 0.11 Green Arbour Court, Lambeth Hill
Martha GILES 12 Dec 1813 25 Green Arbour Court, Lambeth Hill
Thos Henry David GILHAM 17 Apr 1853 37 12,Little Knight Ryder Street
Eliza GLEESON 12 Mar 1815 0.18 Knight Rider Court
Caroline GODFREY 29 May 1821 0.4 Taylor's Court, Lambeth Hill
Elizabeth GODFREY 09 Jul 1818 2 Taylor's Court, Lambeth Hill
John GODFREY 24 Apr 1817 2 Crane Court Lambeth Hill
Louisa GODFREY 29 May 1821 0.4 Taylor's Court, Lambeth Hill
Eliza GOODALL 06 Apr 1845 28 Little Carter Lane
James GOODHALL 08 Oct 1843 49 Green Arbour Court, Lambeth Hill
Johanna GOODWIN 12 May 1815 86 Green Arbour Court, Lambeth Hill
Henry GOODYEAR 28 Jul 1850 14.9 12, Little Carter Lane
Abraham GOYMER 02 Sep 1839 48 Globe Road, Mile End
Abraham GOYMER 11 Dec 1823 5d Old Fish Street
Abraham Frederic GOYMER 06 Nov 1825 0.11 Old Fish Street
Amelia GOYMER 01 Mar 1831 0.10 Old Fish Street
Henry Robert GOYMER 20 May 1821 1.11 Old Fish Street
Sarah Augusta GOYMER 21 Nov 1833 0.8 Old Fish Street
Elizabeth GREEN 28 Dec 1814 2.9 Carter Lane
John GREEN 09 Dec 1814 4.6 Little Carter Lane
Sarah GREEN 25 Mar 1821 53 Little Carter Lane
William GREEN 07 Feb 1830 61 Old Change
William George GREEN 22 May 1839 35 Little Carter Lane
Charles GREENWOOD 18 Feb 1814 33 Old Fish Street
William GRIFFIN 12 Aug 1827 0.10 Lambeth Hill
Sarah Jane GRIFFITHS 13 Oct 1833 2.8 Sermon Lane
John GROVER 01 Feb 1814 5 Taylor's Court, Lambeth Hill
Sarah GROVER 04 Feb 1849 30 4, Taylor's Court, Lambeth Hill
Amelia GYDE 10 Nov 1839 0.1 Lambeth Hill
Thomas HALL 02 Mar 1845 64 Green Arbour Court, Lambeth Hill
Clara HANDLEY 19 Nov 1845 1 Lambeth Hill
John HARRIS 02 Jul 1837 62 Lambeth Hill
John Francis HARRIS 16 Jan 1842 0.20 Peter's Hill
Rosetta HARRIS 22 Jan 1837 74 Lambeth Hill
John HART 22 Jan 1826 51 Old Change
Henry HARTRUP 24 Oct 1813 1.7 Green Arbour Court, Lambeth Hill
Joseph HARTRUP 23 Dec 1818 2 Green Arbour Court, Lambeth Hill
Samuel HARTRUP 19 Mar 1815 0.2 Green Arbour Court, Lambeth Hill
William Matthew HASSALL 28 Nov 1852 0.3 2, Old Fish Street
Jane Charlotte HAWARD 22 Sep 1821 2w Little Carter Lane
Eleanor HAWKINS 14 Sep 1817 0.13 Canterbury Court, St Andrews Hil
Elizabeth Sarah HAWKINS 26 Nov 1838 4.2 Green Arbour Court, Lambeth Hill
Mary HAWKINS 01 Jul 1821 53 Knight Rider Court
Sarah Jane HAWKINS 30 Nov 1817 3 Canterbury Court, St Andrews Hill
Thomas HAWKINS 13 Dec 1818 55 Sermon Lane
Alice HAY 17 Nov 1850 57 6, Green Arbour Court, Lambeth Hill
James HEALD 13 Apr 1847 56 24, Old Change
Martha HEALD 03 Mar 1841 48 Lambeth Hill
William HEALD 21 Jul 1850 14 Old Change
Thomas HEATH 22 May 1836 72 Lambeth Hill
Robert HENDRY 28 Nov 1824 43 Labour in Vain Yard
William HENLEY 11 Dec 1814 43 Bottle Hay Yard
Robert HENRY 30 Jan 1814 66 Lambeth Hill
Ann HIBBLE 28 Aug 1833 53 Lambeth Hill
James HIBBLE 24 Jul 1833 75 Lambeth Hill
James HILLUM 26 Sep 1839 39 Knight Rider Court
James HINES 17 Jan 1813 40 Lambeth Hill
Elizabeth HOBART 19 Apr 1833 36 Little Knight Ryder Street
Janes HOLLOWAY 15 Jul 1818 0.10 Lambeth Hill
John HOLLOWAY 05 Jun 1821 6 Lambeth Hill
Elizabeth HOLMAN 08 Nov 1835 1.5 Little Carter Lane
William Henry HOLMAN 26 Apr 1835 14 Little Carter Lane
John HOOD 15 Dec 1844 51 Carter Lane
Robert HOOPER 16 Sep 1824 0.9 Green Arbour Court, Lambeth Hill
William HOOPER 25 Sep 1839 19 Green Arbour Court, Lambeth Hill
Martha HOPKINS 18 Mar 1825 84 Taylor's Court, Lambeth Hill
Henry HORNER 06 Apr 1847 45 Knowles Court
Benjamin HOTINE 15 Feb 1829 53 Little Knight Rider Street
Mary HOTINE 27 Oct 1819 49 Lambeth Hill
John HUGGINS 09 May 1849 47 6, Lambeth Hill
Edwin HUGHES 11 Sep 1829 5d Lambeth Hill
Hannah HUGHES 11 Sep 1829 25 Lambeth Hill
Elizabeth HULCUP 09 Jan 1814 2.6 Old Change
William HURN 06 Feb 1826 0.2 Lambeth Hill
Mary Harris HUTCHINSON 14 May 1837 2 Little Carter Lane
Mary Ann ISLIP 20 Dec 1840 4 Lambeth Hill
James JACKSON 19 May 1822 0.10 Friday Street
Mary Ann JACKSON 31 Jul 1814 1.3 Knowles Court
Sarah JACKSON 05 Dec 1819 68 Labour in Vain Crt, Little Fish
Simmons JACKSON 24 Oct 1819 4 Friday Street
Mary JARRAL 04 Oct 1824 69 Lambeth Hill
James JARRETT 11 May 1851 39 12,Crane Court Lambeth Hill
Thomas JARVIS 23 Apr 1825 39 Little Knight Ryder Street
Susan JEWELL 17 Mar 1850 0.5 10, Little Carter Lane
James JOHNS 13 Jan 1842 51 Lambeth Hill
Richard JOHNS 13 Mar 1827 28 Knight Rider Court
Eliza Sarah JOHNSON 06 Jan 1822 2.6 Lambeth Hill
George JOHNSON 05 Feb 1817 64 Taylor's Court, Lambeth Hill
Sarah JOHNSON 28 Jan 1827 41 Lambeth Hill
Caroline JONES 31 Oct 1821 0.15 St Peters Hill
Elizabeth JONES 12 Jul 1815 0.21 Lambeth Hill
Elizabeth JONES 20 Jan 1822 61 Little Carter Lane
George JONES 18 Mar 1827 0.13 Bell Inn Yard, Friday Street
James John JONES 12 Aug 1832 37 Knight Rider Court
John JONES 27 May 1819 60 Windsor Crt, Little Knight Rider
John Amos JONES 02 Nov 1828 0.9 Bell Inn Yard, Friday Street
Margaret JONES 14 Apr 1833 58 Crane Court Lambeth Hill
Martha JONES 09 Jun 1850 7 9, Little Carter Lane
Mary Ann JONES 27 Sep 1849 8 20,Lambeth Hill
Rebecca JONES 01 Dec 1833 86 Green Arbour Court, Lambeth Hill
William JONES 08 Nov 1835 40 St Bartholomew's Hospital
William JOPP 10 Sep 1833 24 Great Trinity Lane
William JOPP 01 May 1834 0.8 Oxford Street
Anne JORDAN 25 Nov 1832 36 Knight Ryder Court
Frances Ann JORDAN 14 May 1827 3.4 Knight Ryder Court
Joseph KELLY 31 Dec 1815 27 Little Knight Ryder Street
Clara KEMSHEAD 21 May 1843 3.6 25, Lambeth Hill
Richard KEMSHEAD 21 Feb 1841 35 Lambeth Hill
Hannah KENDRICK 27 Nov 1831 71 Crane Court Lambeth Hill
Hannah KENDRICK 06 Dec 1821 0.11 Old Change
Daniel KENSEY 04 Nov 1825 3d Knight Rider Court
Thomas Joel James KENSEY 27 Mar 1822 4 Lambeth Hill
Henry KERR 05 Dec 1823 3 Little Knight Ryder Street
William KNIGHT 30 Mar 1828 35 Knight Rider Court
Frederick KOPP 20 Dec 1818 45 Kings Head Crt, Little Carter Lane
Mary LANGDON 15 Mar 1813 36 Blackheath Hill Kent
William LANGLEY 27 Feb 1820 42 Old Change
Henry Richard LAVIS 24 Oct 1848 0.5 7, Lambeth Hill
Sarah Ann LAVIS 15 Oct 1848 2 7, Lambeth Hill
Chas Nathaniel LAWRENCE 02 Dec 1838 10 Old Change
Frances LEAVER 25 Nov 1830 28 Little Knight Ryder Street
Charles LEE 16 Mar 1828 0.13 Sermon Lane
George Edwin LEE 22 Apr 1830 5 Little Carter Lane
Hannah LEE 21 Apr 1844 53 Sermon Lane
Hannah LEE 30 May 1852 22 17,Sermon Lane
Samuel LEE 26 Jul 1834 5.9 Sermon Lane
Jane LEGG 10 Feb 1833 26 Green Arbour Court, Lambeth Hill
John LESTER 22 May 1814 61 St Mary, Lambeth
Mary LEWIN 18 Aug 1850 63 7,Little Knight Ryder Street
Catherine LINCH 27 May 1813 0.2 Green Arbour Court, Lambeth Hill
John LINCK 22 May 1814 0.7 Taylor's Court, Lambeth Hill
Martin LINCK 05 Mar 1817 0.7 Taylor's Court, Lambeth Hill
Sarah LINSELL 24 Dec 1828 62 Taylor's Court, Lambeth Hill
Thomas LINSELL 15 Jan 1832 63 At Andrews Hill
Mary LINSELL 22 Dec 1844 43 Crane Court Lambeth Hill
Samuel LITTLE 23 Feb 1851 2 3, Taylor's Court, Lambeth Hill
Harriet LLOYD 17 Aug 1831 1.9 Lambeth Hill
Richard LLOYD 03 Feb 1830 40 Lambeth Hill
James LOOKER 01 Dec 1825 2.6 Lambeth Hill
John LOOKER 11 Sep 1831 45 Lambeth Hill
John Edward LOOKER 20 Jul 1831 0.20 Lambeth Hill
Thomas LOOKER 09 May 1824 2.10 Lambeth Hill
Wilhelmina Lydia LOVE 22 Aug 1820 0.10 Lambeth Hill
Hannah LUCAS 27 Dec 1829 67 Taylor's Court, Lambeth Hill
William LYALL 05 Jan 1851 63 23 Peter's Hill
Daniel LYONS 27 Apr 1834 1.6 Green Arbour Court, Lambeth Hill
Thomas LYONS 03 Apr 1833 2 Green Arbour Court, Lambeth Hill
Elizabeth MACKEY 10 Apr 1853 77 193, Upper Thames Street
Richard Jebb MADELEY 18 Jul 1813 1.4 Green Arbour Court, Lambeth Hill
John Sadler MAIL 07 Mar 1816 3 Sermon Lane
Richard MALLON 17 Feb 1850 0.2 23, Lambeth Hill
George Henry MANN 16 Jun 1822 0.13 Lambeth Hill
Elizabeth MANNING 07 Oct 1818 0.10 Little Carter Lane
Sarah MARCHANT 20 May 1850 87 12, Sermon Lane
William MARCHUM 15 Dec 1822 22 Taylor's Court, Lambeth Hill
Ann MARECHAL 07 May 1837 73 Little Knight Ryder Street
Caroline MARECHAL 23 Apr 1820 22 Little Knight Ryder Street
Anthony Romney MARSHALL 05 Aug 1839 0.19 Little Knight Ryder Street
Frederick MARSHALL 05 Aug 1839 4 Little Knight Ryder Street
Mary Ann MARSHALL 25 Aug 1814 5 St Mildreds Crt Bread Street
Mary Louise MARSHALL 20 Dec 1839 5 Little Knight Ryder Street
Francis MARTIMORE 27 Jun 1824 64 Lambeth Hill
Edward MARTIN 09 Aug 1825 49 Lambeth Hill
Mary MARYON 06 Feb 1842 38 Boss Court Upper Thames Street
Simon MARYON 03 Mar 1841 41 Crane Court Lambeth Hill
Emma MASDON 13 Nov 1825 0.10 Lambeth Hill
George MASON 26 Oct 1837 0.5 Knight Rider Court
James MASON 12 Jun 1839 0.3 Crane Court Lambeth Hill
John MASON 23 Jun 1846 18 Crane Court Lambeth Hill
Richard MASON 12 Oct 1826 49 Lambeth Hill
Sarah MASON 02 Jun 1839 3.10 Crane Court Lambeth Hill
Sophie McGOWAN 06 Mar 1836 55 St Peters Hill
Nathaniel McGOWEN 20 Jan 1841 76 Lambeth Hill
Christianus MEADOWS 03 Apr 1823 67 Bell Court
Mary MEADOWS 07 Feb 1823 74 Taylor's Court, Lambeth Hill
Hannah MELLOR 20 Feb 1825 60 Bell Court, Great Carter Lane
Elizabeth MILLINGTON 23 Jan 1818 0.13 Lambeth Hill
Sarah MILLWARD 29 Oct 1841 84 Little Carter Lane
James MILNER 05 Apr 1830 61 Crown Court Old Change
Mary MILNER 14 Jul 1822 56 Old Change
Thomas MILWARD 02 Nov 1834 84 Lambeth Hill
Caroline MOLE 15 Nov 1840 63 Holiday Yard
Ann MOORES 02 Jul 1817 43 Fleet Market
Henry MORE 06 Jun 1814 0.14 Lambeth Hill
Charles MORGAN 22 Feb 1824 0.14 Crane Court Lambeth Hill
William James MORGAN 26 Jul 1833 0.15 Crane Court Lambeth Hill
Ann MORRIS 10 Jan 1819 76 Green Arbour Court, Lambeth Hill
Mary MORRIS 30 Mar 1828 96 Lambeth Hill
Thomas MORRIS 07 Apr 1815 71 Carter Lane, Old Change
Job MORTON 17 Dec 1813 45 St Bartholomews Hospital
Edward MOULL 25 Apr 1821 6w Green Arbour Court, Lambeth Hill
Robert MULLIS 29 Jun 1828 38 Sermon Lane
Ann MURRAY 13 Mar 1821 62 Green Arbour Court, Lambeth Hill
James MURRAY 15 Jan 1815 27 Taylor's Court, Lambeth Hill
Thomas William NEALE 03 Sep 1828 1 Lambeth Hill
Eliza NEGUS 12 Dec 1847 43 5, Lambeth Hill
Mary NETTLETON 02 Jan 1845 69 Knight Rider Court
Philadelphia NEWBLE 12 Jun 1818 25 Green Arbour Court, Lambeth Hill
John NEWHALE 04 Nov 1833 58 Woolwich Kent
Joseph NEWHALL 08 Jul 1833 61 Little Knight Ryder Street
Joseph NEWMAN 24 Sep 1843 1 Old Change
Caroline NICHOLAS 06 Feb 1834 6 Little Carter Lane
Francis NORIS 05 Feb 1837 45 Lambeth Hill
Mary Ann NORRIS 03 Oct 1849 18 7, Little Knight Ryder Street
Elizabeth Webb NORTWYCK 06 May 1818 37 Little Knight Ryder Street
Elizabeth NOTLEY 28 Jan 1819 5 Upper Thames Street
William NOTTLEY 30 Apr 1818 0.11 Printing Ho Yard Water Lane
Thomas Ebenezer OGILVY 19 Mar 1843 2.5 Little Knight Ryder Street
Jane Elizabeth ORAM 06 Apr 1817 0.22 Lambeth Hill
Sarah ORAM 21 Feb 1819 37 Lambeth Hill
Susannah ORAM 27 Apr 1817 60 Crane Court Lambeth Hill
Elizabeth ORTSON 03 Jan 1819 46 Crane Court Lambeth Hill
Susan OXFORD 08 Nov 1826 0.15 Crane Court Lambeth Hill
Elizabeth PARRY 12 Mar 1826 41 Old Change
Maria PARTRIDGE 20 Nov 1842 60 Great Trinity Lane
Amy PAYNE 29 Mar 1839 42 Little Carter Lane
Hannah PAYNE 02 Jul 1816 40 New Street, Shoe Lane
Elizabeth PEASTON 11 Dec 1842 0.11 Taylor's Court, Lambeth Hill
Alice Elizabeth PERKINS 30 Nov 1845 68 Bell Court, Temple Bar
Elizabeth PERKINS 25 Oct 1816 0.16 Green Arbour Court, Lambeth Hill
Emma PERKINS 11 Jul 1827 14w Lambeth Hill
Mary PERKINS 21 Sep 1814 1.3 Green Arbour Court, Lambeth Hill
Mary PERKINS 02 May 1833 45 Lambeth Hill
Robert PERKINS 29 Jun 1821 3 Green Arbour Court, Lambeth Hill
Stephen PERKINS 25 Mar 1838 19 Old Fish Street
Thomas PERKINS 31 Mar 1833 50 Lambeth Hill
Thomas Robert PERKINS 04 Sep 1814 6.7 Green Arbour Court, Lambeth Hill
Elizabeth Ann PETTIT 23 Mar 1819 38 Little Knight Ryder Street
Susannah PETTIT 14 May 1817 69 Blackheath Kent
Sarah PHILLIPS 26 Oct 1834 59 Lambeth Hill
Susan PHILLIPS 06 Jan 1828 61 Lambeth Hill
William PHILLIPS 22 Feb 1829 66 Crane Court Lambeth Hill
James PHILP 03 Aug 1837 0.4 Knight Rider Court
Mary PHILP 23 Dec 1838 46 Knight Rider Court
William PHILP 07 Jul 1833 16 St Peters Hill
William Andrew PINK 02 Jun 1816 1.9 Lambeth Hill
James PITT 07 Oct 1849 3 2,Lambeth Hill
William Earl PITT 07 Oct 1849 3 2,Lambeth Hill
Charles PLUMRIDGE 21 Nov 1849 0.14 4, Green Arbour Court
William PLUMRIDGE 25 Aug 1833 75 Taylor's Court, Lambeth Hill
George POCOCK 09 Jun 1814 35 St Bartholomew's Hospital
Georgina POWELL 24 Jul 1830 43 Little Carter Lane
Robert POWELL 13 Oct 1837 1 Knight Rider Court
Henry PRESCOTT 17 Sep 1817 0.11 Lambeth Hill
Elizabeth PRICE 30 Jan 1825 53 Noble Street, St Lukes MDX
Hiram PRICE 01 Aug 1820 60 Lambeth Hill
Mary Ann PRICE 18 Jul 1832 9 Lambeth Hill
William PRICE 16 Mar 1828 30 Knight Rider Court
Philip John PRUDORN 19 Dec 1838 40 Sermon Lane
Alfred PRYCE 17 Nov 1850 1 1, Sermon Lane
Jane PUZEY 27 Aug 1829 0.13 Crane Court Lambeth Hill
George RADFORD 23 Sep 1824 18 St Peters Hill
William RADFORD 13 Feb 1826 57 St Peters Hill
George READ 20 Aug 1833 66 Green Arbour Court, Lambeth Hill
Mary Ann READ 30 Apr 1815 0.9 Little Knight Ryder Street
Sarah READ 05 May 1833 65 Green Arbour Court, Lambeth Hill
John REDDALL 22 Aug 1834 72 Sermon Lane
Jane REDHALL 28 Dec 1816 59 Sermon Lane
Alfred RENWELL 22 May 1842 0.18 Crane Court Lambeth Hill
Jane RICHARDS 21 Aug 1831 7w Green Arbour Court, Lambeth Hill
Mary RICHARDS 07 Feb 1819 3 Stepney MDX
Mary RICHARDS 26 Oct 1819 82 Lambeth SRY
Thomas RICHARDS 06 May 1819 44 Taylor's Court, Lambeth Hill
William RICHARDS 09 Jan 1818 43 John Street, St George MDX
Hubert Paul RIVOUS 07 Apr 1835 15 Little Knight Rider Street
Elizabeth ROBERTS 28 May 1839 1.11 Green Arbour Court, Lambeth Hill
Geroge Henry ROBERTS 20 Oct 1839 0.3 Green Arbour Court, Lambeth Hill
John ROCKELL 09 Aug 1835 69 Taylor's Court, Lambeth Hill
Jane ROCKLE 03 Aug 1845 74 6, Lambeth Hill
Harriet RODGERS 06 Jan 1820 61 Pratt Street, Lambeth
Hannah ROGERS 10 Nov 1824 5 Knight Rider's Court
Maria ROSE 29 Jun 1828 8 Taylor's Court, Lambeth Hill
Henry ROSS 22 Aug 1841 37 Little Carter Lane
Charles ROWLEY 03 Nov 1822 79 Old Change
Martha RUSS 20 Jun 1816 66 Green Arbour Court
Richard RUSS 13 Sep 1818 68 Little Fish Street Hill
Alfred RYDER 15 Jan 1843 2.6 Sermon Lane
Margaret RYDER 03 Jul 1814 64 Knight Rider Court
Emma SALIS 23 Jul 1833 2w Knight Rider Court
Nicholas SANDELL 08 Apr 1821 50 Old Change
Mary Ann SARGENT 14 Dec 1835 0.10 Taylor's Court, Lambeth Hill
William SARGENT 15 Feb 1829 0.5 Lambeth Hill
William John SARJANT 08 Jun 1838 5w Taylor's Court, Lambeth Hill
Mary SARTINE xx Sep 1815 64 Taylor's Court, Lambeth Hill
Ann SAUNDERS 21 May 1852 90 1, Taylor's Court, Lambeth Hill
George SAYER 21 Aug 1813 3.3 Old Change
Christian SCHINDLER 27 Jan 1830 58 Knowles Court Little Carter Lane
Bella SCOTT 04 Jun 1840 11 Lambeth Hill
Henry SEATORN 22 Feb 1814 4.9 Lambeth Hill
Jane SEATORN 08 Feb 1814 1.11 Lambeth Hill
Sarah SEDGWICK 31 Jul 1821 49 St Peter's Hill
Henry SHIPMAN 02 Nov 1826 39 Little Carter Lane
Martha SHIPMAN 28 Apr 1850 69 9, Crane Court Lambeth Hill
Ann SHIRMER 17 Feb 1822 26 St Peter's Hill
James SHORT 22 Sep 1822 22 Little Knight Ryder Street
William SHURRY 25 Jan 1818 0.1 Little Carter Lane
Ann SKATES 08 Oct 1837 50 Green Arbour Court, Lambeth Hill
Janet SKEENE 31 Dec 1829 63 Little Knight Rider Street
John SMALE 22 Jul 1832 51 Green Arbour Court, Lambeth Hill
Ann SMITH 26 Jan 1845 31 Sermon Lane
Ann Harriett SMITH 16 Oct 1847 3 25, Lambeth Hill
George Trinity SMITH 18 Aug 1822 29 Lambeth Hill
Mary Ann SMITH 26 Nov 1813 2 Workhouse
Richard SMITH 04 Aug 1817 35 Crane Court Lambeth Hill
Richard Ann SMITH 01 Apr 1813 0.3 Lambeth Hill
Sophia SMITH 05 Feb 1815 18 Little Knight Ryder Street
Thomas SMITH 20 Oct 1823 28 Old Change
Thomas SNOWDEN 05 Aug 1814 43 Knowles Court
Clara Emmeline SPEECHLEY 16 Dec 1838 3.5 Christ Church Surrey
Eliza Ellen SPEECHLEY 28 Feb 1836 3 Prujean Square Old Bailey
John SPEECHLEY 03 May 1821 68 Sidney Street, Islington MDX
John Edward SPEECHLEY 09 Nov 1828 4 Sermon Lane
Thomas Henry SPEECHLEY 07 Mar 1830 3.6 Sermon Lane
William SPEED 07 Jun 1846 0.3 24, Peters Hill
Mary SPRINGH 24 Mar 1816 4d St Peter's Hill
Maria STAINES 28 Nov 1840 0.3 Lambeth Hill
William STEDMAN 17 Feb 1813 0.7 Crane Court
Eliza STEVENS 06 Mar 1822 0.11 Bells Court, Docotr's Commons
Elizabeth STEVENS 23 Mar 1817 66 Green Arbour Court, Lambeth Hill
Emily Esther STEVENS 22 Apr 1832 1.7 Bell Court, Doctors Commons
John Paul STEVENS 17 Jan 1827 66 Crane Arbour Court
Maria STEVENS 16 Nov 1820 1.9 Bell Court, Doctor's Commons
William Nick STEVENS 07 Feb 1847 21 Bell Court
James STEWART 05 Apr 1829 4w Sermon Lane
Sarah STEWART 11 Dec 1831 1.9 St Johns Street, Smithfield
Mary STRAITON 08 Nov 1835 2.10 Little Knight Ryder Street
William STRANGE 03 Apr 1853 44 19, Little Knight Ryder Street
Elizabeth Lydia STRATTON 17 Aug 1834 25 Sermon Lane
Joseph STRICKFIELD 19 Jul 1835 0.4 Lambeth Hill
Thomas STRICKLAND 11 Sep 1835 73 Little Knight Ryder Street
Margaret TALBOTT 01 Dec 1833 31 Little Carter Lane
Henry TAPP 17 Aug 1845 57 Crane Court Lambeth Hill
Mary TAYLOR 23 Jan 1814 22 Knight Rider Court
Joseph TEMPEST 26 Dec 1841 73 Taylor's Court, Lambeth Hill
Henry THEED 17 Mar 1842 37 Sermon Lane
John THEOBALD 23 Mar 1817 45 Lambeth Hill
Mary THOMPSON 21 Mar 1844 82 Sermon Lane
Sarah THOMPSON 07 May 1844 78 Lambeth Hill
William THOMPSON 10 Oct 1839 75 Green Arbour Court, Lambeth Hill
Ann THOMSON 26 Mar 1820 63 Red Lion Street, Holborn
David THOMSON 29 Jan 1837 5 Old Change
Robert THOMSON 04 Aug 1813 25 Fleet Market
George THORNTON 03 Sep 1820 60 Lambeth Hill
Agnes TINDALL 15 Mar 1818 0.19 Kings Head Crt Little Carter Lan
John TINDALL 19 Oct 1815 0.7 Green Arbour Court, Lambeth Hill
Elizabeth TINKLER 22 Mar 1846 66 Little Carter Lane
William TRACEY 31 May 1849 2 8, Green Arbour Court
James Frederick TRAYLEN 10 Jul 1828 0.4 Little Carter Lane
Charles TRIMMING 17 Aug 1837 15 Taylor's Court, Lambeth Hill
Maria Ann TUCKER 30 Aug 1815 0.8 Green Arbour Court, Lambeth Hill
William TYRRELL 25 Dec 1822 0.2 Lambeth Hill
Moot VALENTINE 14 Sep 1832 43 Crane Court Lambeth Hill
Joseph VERE 11 Feb 1819 65 Cloth Fair, Smithfield
George Frederick VIGOR 23 Nov 1828 2 Little Knight Ryder Street
Sarah VINCE 14 Aug 1831 1 Lambeth Hill
Penfold WAKEFIELD 18 Feb 1844 4.8 Knight Rider Court
Stephen C WAKEFIELD 12 Aug 1851 53 1, Knight Rider Court
Caroline Lydia WALKER 17 Mar 1817 0.1 Little Knight Ryder Street
Charlotte WALKER 17 Aug 1851 0.7 20, Lambeth Hill
John Henry WALKER 08 Jul 1829 0.5 Knight Rider Court
Mary WALKER 27 Nov 1817 30 Little Knight Ryder Street
Eliza WALLINGER 20 May 1821 0.10 Taylor's Court, Lambeth Hill
Mary Ann WALLINGER 02 Aug 1818 1.6 Taylor's Court, Lambeth Hill
William Isaac WALSHAM 21 Jan 1849 0.9 2, Lambeth Hill
Peter WARBURTON 13 Mar 1823 47 Old Change
George WARD 30 Jul 1820 21d Lambeth Hill
Maria WARD 11 Dec 1849 43 2, Lambeth Hill
Martha WARD 12 Mar 1815 36 St Peter's Hill
Joseph WARHAM 22 Nov 1818 0.18 Green Arbour Court, Lambeth Hill
Edward WATERLANE 14 Sep 1826 32 Bread Street Hill
Henry Samuel WATT 01 Oct 1823 0.10 St Peter's Hill
John Francis WATTS 08 Dec 1813 3 Old Change
Mary WEEKS 23 Dec 1849 57 11, Little Carter Lane
Joshua WELCH 21 Apr 1828 25 Little Knight Rider Street
Sarah WELCH 23 Feb 1840 20 Old Fish Street
Sarah WELCH 23 Feb 1840 20 Old Fish Street
George WESTCOTT 04 Apr 1838 40 Crane Court Lambeth Hill
Mary WESTCOTT 17 Aug 1833 26 Knight Rider Court
Ann WHIFFEN 15 Dec 1824 42 St Peter's Hill
Peter WHITE 30 Nov 1851 70 5, Knight Rider Street
Ann WHITEHOUSE 18 Feb 1814 42 Lambeth Hill
William WHITEKER 02 Feb 1845 43 Peter's Hill
James Fredrk. WHITTAKER 05 Mar 1820 0.16 Little Fish Street Hill
John Butler WHITTAKER 20 Aug 1817 15w Lambeth Hill
Elizabeth WILD 22 Dec 1835 23 Lambeth Hill
John WILD 17 Aug 1817 64 St George's Court, St Bennets Hil
John WILLIAMS 18 May 1834 40 Old Change
Susannah WILLIAMS 13 Nov 1842 56 Green Arbour Court
Ann WILLOUGHBY 04 Feb 1818 67 Green Arbour Court, Lambeth Hill
John WILLSON 16 Apr 1826 25 Little Carter Lane
Robert WILLSON 04 Jan 1817 19 Crane Court Lambeth Hill
Samuel WILLWARD 25 Apr 1813 63 Lambeth Hill
Jane WILSON 01 Nov 1816 46 Little Knight Ryder Street
Joseph WILSON 06 Jun 1835 2 Green Arbour Court, Lambeth Hill
Samuel John WINDSOR 30 Apr 1817 0.2 Lambeth Hill
Jonathan WINSON 17 Feb 1822 34 Taylor's Court, Lambeth Hill
Charles WISE 22 Dec 1816 49 Lambeth Hill
Mary WISE 25 Jan 1820 44 Lambeth Hill
Jane WISHER 28 Apr 1833 0.11 Lambeth Hill
Jane WISHER 19 Dec 1851 50 4, Lambeth Hill
Sarah WISHER 27 Jan 1835 1 Lambeth Hill
Hannah WOOD 03 Mar 1830 7w Knight Rider Court
Samuel WOOLFE 05 Mar 1846 76 4, Lambeth Hill
Jacob WRAGG 23 Sep 1818 62 Little Knight Ryder Street
Margaret WRAGG 30 Oct 1819 73 Stangate Lambeth
William WRIGHT 24 Jan 1844 74 Greeham, East Kent
Benjamin Day YATES 16 Feb 1819 1.8 Sermon Lane
George YOUNG 11 May 1845 73 Peter's Hill

View File

@ -0,0 +1,616 @@
ST MARY MAGDALENE OLD FISH STREET CITY OF LONDON
Burials 5th Jan 1813 - 10th July 1853
NAME BURIAL DATE AGE RESIDENTIAL ADDRESS
----------------------- ----------- --- ----------------------------
John William ALLARDYCE 17 Mar 1844 2.9 Little Knight Ryder Street
Frederic Alex. ALLARDYCE 21 Apr 1844 0.17 Little Knight Ryder Street
Philip AMIS 03 Aug 1848 1 18 1/2 Knight Rider Street
Thomas ANDERSON 06 Jul 1845 27 2, Bennet's Hill
Edward ANGEL 20 Nov 1842 22 Crane Court Lambeth Hill
Sarah ANGELL 09 Oct 1836 42 Lambeth Hill
Sarah ANSELL 31 May 1829 29 High Timber St, Upper Thames St
Charles ANTHONY 22 Jul 1849 6 3,Taylor's Court, Lambeth Hill
Sarah Ann ANTHONY 06 Aug 1828 47 Lambeth Hill
Sarah ARLETT 27 May 1849 2 5, Little Knight Rider Street
Hannah AUSTIN 23 Feb 1819 41 Box MDX
Oliver AUSTIN 19 Feb 1816 0.5 Mile End
Rosina AUSTIN 07 Mar 1833 20 Mile End MDX
Hannah AYLIFF 18 Jul 1832 11 Lambeth Hill
Hannah AYLIFF 10 Dec 1834 44 Crane Court Lambeth Hill
William James AYLIFF 31 Jan 1819 0.2 Crane Court Lambeth Hill
George BAKER 08 Jan 1839 46 Knight Ryder Court
Caroline BARHAM 11 Jul 1851 56 6, Pelham Place, Brompton
Richard Harris BARHAM 21 Jun 1845 57 Residentary Ho. Amen Corner
Ann BARRY 21 Sep 1842 64 Bucks Head Court
Frederick BARTLETT 29 Nov 1839 0.11 Crane Court
Mary BATEMAN 31 Oct 1847 67 24, Lambeth Hill
John Gardner BATTEN 08 Dec 1819 0.18 Westham ESS
George BAXTER 08 Sep 1835 30 Knight Rider Court
Susanna BAXTER 05 Sep 1830 40 Crane Court Lambeth Hill
Mary BEARNARD 19 Oct 1834 21 Little Knight Ryder Street
Henry BEAUMONT 21 Nov 1813 1.9 Old Change
Mary Ann BEAUMONT 15 Dec 1813 27 Old Change
Thomas BEAUMONT 08 Jun 1833 0.4 Knowles Court
George Jacob BECK 19 Apr 1846 0.7 Sermon Lane
Eleanor BECKLEY 17 Nov 1850 1 4, Lambeth Hill
Mary Ann BECKWITH 29 Jun 1828 0.10 Crane Court Lambeth Hill
Sarah BECKWITH 21 Jan 1828 2.6 Crane Court Lambeth Hill
Henry Charles BENNET 01 Aug 1847 0.15 6, Lambeth Hill
Hannah BENNETT 26 Sep 1841 0.10 Lambeth Hill
Mary Wicks BENNETT 14 Apr 1850 38 6, Lambeth Hill
William BENNETT 05 Jul 1837 0.6 Lambeth Hill
William Perkins BENNETT 28 Dec 1845 3 Lambeth Hill
Wm. Geo. Perkins BENNETT 27 Mar 1836 0.5 Lambeth Hill
George BENSTEAD 02 Apr 1837 0.7 Lambeth Hill
John Stephen BENSTEAD 29 Mar 1839 0.8 Lambeth Hill
Ann Elizabeth BENYON 04 Jan 1814 26 Crane Court Lambeth Hill
Charles James BERRY 03 Mar 1841 34 Sermon Lane
Sarah BERRY 26 Jan 1817 0.21 Little Knight, Ryder Street
Philemon BETTS 11 Apr 1820 35 Upper Thames Street
Ann BIRCH 30 Oct 1850 75 1,Taylor's Court, Lambeth Hill
Elizabeth BIRCH 09 Aug 1829 58 Lambeth Hill
Elizabeth Ann BIRCH 07 Jul 1832 2w Lambeth Hill
Sarah BIRCH 12 Aug 1832 32 Green Dragon Crt, St Andrews Hill
Sarah Lucy BIRCH 26 Feb 1834 30 Lambeth Hill
Jane BIRCHILL 31 Mar 1839 18 New Street, St Bride's
Alfred BLACKLEDGE 26 Sep 1848 21 6,Green Arbour Court, Lambeth Hill
Charles BLACKLEDGE 07 Jan 1835 2 Green Arbour Court
Charles BLACKLEDGE 07 Aug 1831 0.18 Green Arbour Court
George BLACKLEDGE 30 Aug 1831 6 Green Arbour Court
Jane BLACKLEDGE 03 Jun 1821 32 Green Arbour Court
John BLACKLEDGE 27 Sep 1835 44 Green Arbour Court
Elizabeth BLACKMORE 24 Jan 1830 52 Lambeth Hill
Thomas BODKIN 13 May 1821 23 Crane Court Lambeth Hill
Frances BOTLEY 24 Dec 1816 8 Lambeth Hill
John BOWLES 17 Aug 1817 22 Green Arbour Court
Mary BOWLES 09 May 1838 33 Green Arbour Court
Mary BOWLES 01 Dec 1850 78 Green Arbour Court, Lambeth Hill
Ann BOX 08 Feb 1815 0.15 Crane Court Lambeth Hill
Jane BRADSHAW 09 Dec 1833 0.3 Crane Court Lambeth Hill
William BRAINTRUMP 15 Sep 1839 5 Lambeth Hill
Sarah BRINDLE 11 Aug 1816 74 Taylor's Court
William BROOKES 24 Feb 1822 1 Green Arbour Court, Lambeth Hill
Elizabeth BROWN 13 Oct 1839 33 High Holborn
John BROWN 11 May 1845 26 Parr's Head Corner Peters Hill
Angelina BUCKLEY 28 Jan 1851 38 3, Morris Yard, Old Fish Street
Jacob George BUCKLEY 22 Nov 1840 0.3 Lambeth Hill
Ann BUCKMASTER 06 Apr 1817 3.10 Lambeth Hill
Mary Ann BUFFHAM 25 Jun 1839 3 Green Arbour Court, Lambeth Hill
Sarah BUNKER 01 Jul 1817 47 Little Knight Ryder Street
William BURCH 02 May 1847 71 4, Lambeth Hill
Lucy BURGESS 21 Dec 1834 45 Little Knight Ryder Street
Henry BURGMAN 21 Jan 1838 76 Little Knight Ryder Street
Ann BURGOYNE 28 Aug 1823 5 White Cross St, Cripplegate
Ann BURGOYNE 02 Sep 1833 55 Little Knight Ryder Street
John BURGOYNE 20 Nov 1814 3.9 Friars Streets Blackfriars
John BURGOYNE 05 Jan 1834 53 Little Knight Ryder Street
Mary BURGOYNE 20 Jun 1813 33 Lambeth Hill
Thomas BURGUIN 17 Mar 1816 62 Knight Rider Court
Ann CARDWELL 24 Jul 1842 48 Green Arbour Court, Lambeth Hill
Jane CAREY 31 Jan 1830 0.3 Taylor's Court, Lambeth Hill
Ann Charlotte CARPENTER 21 Nov 1851 76 14, Park Place Peckham
James CARPENTER 05 Jun 1838 67 Peckham SRY
Joseph CARPENTER 18 Jun 1829 13 Peckham SRY
Elizabeth CARTER 17 May 1842 74 Green Arbour Court, Lambeth Hill
Henry Eli CASTLEMAN 24 Sep 1839 30 Old Change
Priscilla Mary Ann CAVE 08 Mar 1814 1.2 Lambeth Hill
Mary CHAMBERS 21 Nov 1830 70 Lambeth Hill
William CHAMBERS 13 Mar 1827 75 Lambeth Hill
Charles CLARK 26 Mar 1826 2.3 Brew Street Hill
Elizabeth CLARK 23 Aug 1818 64 Lambeth Hill
Emma CLARK 14 Oct 1849 4 15, Old Change
George CLARK 09 Dec 1821 68 Lambeth Hill
Isabella CLARK 08 Apr 1813 7d Little Knight Ryder Street
Mary Jane CLARK 12 May 1838 20 Old Change
William Penn CLARK 21 Apr 1833 40 Bell Square, Bishopsgate
Thomas CLOSE 29 Jun 1824 55 Little Knight Ryder Street
Ellen COCHRAM 11 Jun 1848 42 27, Addle Hill
John COCKERING 19 Dec 1849 7 18, Old Change
Elizabeth COCKHEAD 09 Jun 1850 21 New Street, Blackfriars
Eliza Erinder COGGER 04 Nov 1823 0.10 Peters Hill
Lucy Ann COLEBACK 23 Jul 1843 4w Lambeth Hill
Charles COLES 01 Dec 1833 2 Great Carter Lane
Eliza COLES 16 Apr 1826 10 Crane Court Lambeth Hill
Jane COLES 05 Jul 1832 5 Great Carter Lane
John COLES 09 Oct 1836 17 Great Carter Lane, Doctors Commos
William COLES 28 Apr 1833 3.10 Great Carter Lane
Richard COLLETT 01 Oct 1843 39 Old Change
Thomas William COLLEY 08 Aug 1833 4d Lambeth Hill
Joseph COLLIER 03 Apr 1831 58 Lambeth Hill
James Robert COLLINS 25 Mar 1834 1.6 Lambeth Hill
Sarah COLLINSON 15 Sep 1839 0.2 Knight Rider Court
John Speechley COOK 09 Mar 1817 2 Great Carter Lane
Elizabeth COOKE 27 Aug 1825 39 Crew Lane
Emma COOKSON 16 Jul 1826 0.3 Old Change
Emma COOKSON 16 Jul 1826 0.3 Old Change
Elizabeth COSTER 24 Sep 1826 42 Crane Court Lambeth Hill
Mary COWLING 13 Nov 1825 0.10 Lambeth Hill
Mary Ann COX 08 Aug 1833 4d St Peters Hill
Alice CRAGG 11 Aug 1834 2 Taylor's Court, Lambeth Hill
John CRAGG 19 Aug 1832 34 Green Arbour Court, Lambeth Hill
John CROCKFORD 16 Jul 1834 67 Crane Court Lambeth Hill
Harriot CROFT 08 Oct 1819 31 Portpool Street St Andrews Holbon
Margaret CROFT 20 Jan 1819 0.2 Little Knight Ryder Street
James CROLL 19 Apr 1829 43 Lambeth Hill
Charles CROOT 09 Jun 1818 2 Windsor Crt Little Knight Rider Court
Charles Neal CUMMINGS 12 Dec 1825 18 Great Carter Lane
Ann CUMMINS 16 Jun 1832 66 Great Carter Lane
Thomas CUNNINGHAM 07 Jun 1846 17 21, Lambeth Hill
Ann DALBY 11 Aug 1839 60 Green Arbour Court, Lambeth Hill
Thomas DALBY 18 Apr 1841 25 Green Arbour Court, Lambeth Hill
William DALBY 29 May 1842 65 Green Arbour Court, Lambeth Hill
William DAVIS 28 Jun 1845 71 Ludgate Street
William DAWES 25 Aug 1833 65 Taylor's Court, Lambeth Hill
Mary DAWSON 20 Oct 1850 62 14, Sermon Lane
James DAY 22 Jan 1815 0.13 Sermon Lane
John DAY 17 Nov 1819 1 Sermon Lane
Richard DAY 29 Apr 1819 36 Sermon Lane
Mary Ann DEACH 29 Oct 1843 0.22 Lambeth Hill
Jane DERBYSHIRE 19 Jan 1817 2 Old Change
William DEVEY 21 Dec 1834 0.3 Green Arbour Court, Lambeth Hill
Henry DIAL 07 Jun 1836 2w Crane Court Lambeth Hill
Frederick DILLAY 04 May 1834 2 Little Carter Lane
Richard DILLEY 26 Jan 1837 46 Little Carter Lane
William DOLBY 20 Jul 1824 5.6 Green Arbour Court, Lambeth Hill
Charles DORSETT 01 Oct 1848 0.6 4, Lambeth Hill
Mary DOUGLAS 26 Jan 1839 0.14 Knight Rider Street
Elizabeth DOWNES 04 Jun 1837 48 Taylor's Court, Lambeth Hill
John DRAKE 21 Apr 1833 50 Lambeth Hill
Elizabeth DUDLEY 03 Oct 1847 73 1,Taylor's Court, Lambeth Hill
Sarah DUNN 27 Oct 1816 55 Christ Church SRY
Amelia DYSON 06 Dec 1814 0.6 Old Change
Hannah DYSON 24 Mar 1819 60 High Street. Marylebone MDX
Robert Joseph DYSON 05 Jan 1813 1.6 Old Change
Thomas DYSON 18 Sep 1813 0.10 Old Change
William EADES 19 Aug 1818 5 Taylors Court Lambeth Hill
Edwin EARDLEY 08 Dec 1833 25 Little Knight Rider Street
Henry EDMONDS 09 Apr 1826 38 Old Change
William EDMUNDS 03 Feb 1825 60 Lambeth Hill
George EDWARDS 11 Jul 1813 49 Taylors Court Lambeth Hill
Harriet Sarah ELLARD 16 Jun 1844 0.11 Lambeth Hill
John Yates ELLIS 29 Nov 1830 5d Little Knight Rider Street
Thomas ELLIS 15 Mar 1829 0.10 Knight Rider Court
James ENTWISLE 22 May 1819 40 Little Knight Ryder Street
Mary Ann ESCOTT 26 Aug 1821 0.3 Crane Court Lambeth Hill
John EVANS 26 Aug 1819 11 Lambeth Hill
William EVANS 13 Nov 1814 1.2 Green Arbour Court, Lambeth Hill
Jane EXTON 26 Mar 1815 54 Green Arbour Court, Lambeth Hill
Lewis FACHE 28 Dec 1823 0.10 Crane Court Lambeth Hill
Mary FACHE 09 Jun 1822 0.18 Crane Court Lambeth Hill
Mary FARMFIELD 05 Mar 1843 64 Lambeth Hill
Elizabeth FARROW 20 Dec 1819 65 Green Arbour Court, Lambeth Hill
Edward FELLOWES 28 Apr 1833 2 Taylor's Court, Lambeth Hill
Lydia FELLOWS 28 Jan 1844 33 Lambeth Hill
William Henry FELLOWS 28 Jun 1837 0.13 Lambeth Hill
Mary Ann FERRIDAY 16 Mar 1851 69 2, Fish Street
Mary FIELD 20 Feb 1829 0.3 Lambeth Hill
Harriett FINCH 01 Feb 1852 0.9 Green Arbour Court, Lambeth Hill
George FLANDERS 16 Aug 1837 0.3 St Peters Hill
Louisa FLANDERS 25 Jun 1839 9.3 St Peters Hill
William FLANDERS 19 May 1833 2.6 St Peters Hill
William FLANDERS 28 Nov 1847 50 15 Labour in Vain Yard Lambeth Hill
Elizabeth FLINTAN 20 Jul 1832 39 Green Arbour Court, Lambeth Hill
Jane FLUDE 01 Nov 1832 58 Little Knight Ryder Street
Elizxabeth FOON 25 Aug 1833 14 Green Arbour Court, Lambeth Hill
George FOON 28 May 1816 0.19 Green Arbour Court, Lambeth Hill
John FOON 09 Jun 1816 4 Green Arbour Court, Lambeth Hill
John FOON 10 Jan 1841 60 Green Arbour Court, Lambeth Hill
William FOONE 16 May 1847 24 3, Green Arbour Court, Lambeth Hill
Levina FRANCIS 11 Aug 1844 6 Bennetts Hill
William FROSTICK 06 Nov 1825 1.8 Lambeth Hill
Elizabeth GABRIEL 30 Apr 1834 18 Lambeth Hill
George GALE 17 Nov 1833 6 Crane Court Lambeth Hill
Elizabeth GALLANT 27 Aug 1848 11 10, Crane Court
Esther GALLERY 01 Jun 1813 62 Taylor's Court, Lambeth Hill
Elizabeth GARDENER 13 Mar 1836 30 Knight Riders Court
James GARDNER 05 Jan 1826 0.16 Taylor's Court, Lambeth Hill
Sarah GARDNER 24 Nov 1831 50 Crane Court Lambeth Hill
Augusta Sophia GAUGIN 04 Nov 1821 16 Knowles Court
Jane GIBBS 10 Jul 1839 0.11 Green Arbour Court, Lambeth Hill
Martha GILES 12 Dec 1813 25 Green Arbour Court, Lambeth Hill
Thos Henry David GILHAM 17 Apr 1853 37 12,Little Knight Ryder Street
Eliza GLEESON 12 Mar 1815 0.18 Knight Rider Court
Caroline GODFREY 29 May 1821 0.4 Taylor's Court, Lambeth Hill
Elizabeth GODFREY 09 Jul 1818 2 Taylor's Court, Lambeth Hill
John GODFREY 24 Apr 1817 2 Crane Court Lambeth Hill
Louisa GODFREY 29 May 1821 0.4 Taylor's Court, Lambeth Hill
Eliza GOODALL 06 Apr 1845 28 Little Carter Lane
James GOODHALL 08 Oct 1843 49 Green Arbour Court, Lambeth Hill
Johanna GOODWIN 12 May 1815 86 Green Arbour Court, Lambeth Hill
Henry GOODYEAR 28 Jul 1850 14.9 12, Little Carter Lane
Abraham GOYMER 02 Sep 1839 48 Globe Road, Mile End
Abraham GOYMER 11 Dec 1823 5d Old Fish Street
Abraham Frederic GOYMER 06 Nov 1825 0.11 Old Fish Street
Amelia GOYMER 01 Mar 1831 0.10 Old Fish Street
Henry Robert GOYMER 20 May 1821 1.11 Old Fish Street
Sarah Augusta GOYMER 21 Nov 1833 0.8 Old Fish Street
Elizabeth GREEN 28 Dec 1814 2.9 Carter Lane
John GREEN 09 Dec 1814 4.6 Little Carter Lane
Sarah GREEN 25 Mar 1821 53 Little Carter Lane
William GREEN 07 Feb 1830 61 Old Change
William George GREEN 22 May 1839 35 Little Carter Lane
Charles GREENWOOD 18 Feb 1814 33 Old Fish Street
William GRIFFIN 12 Aug 1827 0.10 Lambeth Hill
Sarah Jane GRIFFITHS 13 Oct 1833 2.8 Sermon Lane
John GROVER 01 Feb 1814 5 Taylor's Court, Lambeth Hill
Sarah GROVER 04 Feb 1849 30 4, Taylor's Court, Lambeth Hill
Amelia GYDE 10 Nov 1839 0.1 Lambeth Hill
Thomas HALL 02 Mar 1845 64 Green Arbour Court, Lambeth Hill
Clara HANDLEY 19 Nov 1845 1 Lambeth Hill
John HARRIS 02 Jul 1837 62 Lambeth Hill
John Francis HARRIS 16 Jan 1842 0.20 Peter's Hill
Rosetta HARRIS 22 Jan 1837 74 Lambeth Hill
John HART 22 Jan 1826 51 Old Change
Henry HARTRUP 24 Oct 1813 1.7 Green Arbour Court, Lambeth Hill
Joseph HARTRUP 23 Dec 1818 2 Green Arbour Court, Lambeth Hill
Samuel HARTRUP 19 Mar 1815 0.2 Green Arbour Court, Lambeth Hill
William Matthew HASSALL 28 Nov 1852 0.3 2, Old Fish Street
Jane Charlotte HAWARD 22 Sep 1821 2w Little Carter Lane
Eleanor HAWKINS 14 Sep 1817 0.13 Canterbury Court, St Andrews Hil
Elizabeth Sarah HAWKINS 26 Nov 1838 4.2 Green Arbour Court, Lambeth Hill
Mary HAWKINS 01 Jul 1821 53 Knight Rider Court
Sarah Jane HAWKINS 30 Nov 1817 3 Canterbury Court, St Andrews Hill
Thomas HAWKINS 13 Dec 1818 55 Sermon Lane
Alice HAY 17 Nov 1850 57 6, Green Arbour Court, Lambeth Hill
James HEALD 13 Apr 1847 56 24, Old Change
Martha HEALD 03 Mar 1841 48 Lambeth Hill
William HEALD 21 Jul 1850 14 Old Change
Thomas HEATH 22 May 1836 72 Lambeth Hill
Robert HENDRY 28 Nov 1824 43 Labour in Vain Yard
William HENLEY 11 Dec 1814 43 Bottle Hay Yard
Robert HENRY 30 Jan 1814 66 Lambeth Hill
Ann HIBBLE 28 Aug 1833 53 Lambeth Hill
James HIBBLE 24 Jul 1833 75 Lambeth Hill
James HILLUM 26 Sep 1839 39 Knight Rider Court
James HINES 17 Jan 1813 40 Lambeth Hill
Elizabeth HOBART 19 Apr 1833 36 Little Knight Ryder Street
Janes HOLLOWAY 15 Jul 1818 0.10 Lambeth Hill
John HOLLOWAY 05 Jun 1821 6 Lambeth Hill
Elizabeth HOLMAN 08 Nov 1835 1.5 Little Carter Lane
William Henry HOLMAN 26 Apr 1835 14 Little Carter Lane
John HOOD 15 Dec 1844 51 Carter Lane
Robert HOOPER 16 Sep 1824 0.9 Green Arbour Court, Lambeth Hill
William HOOPER 25 Sep 1839 19 Green Arbour Court, Lambeth Hill
Martha HOPKINS 18 Mar 1825 84 Taylor's Court, Lambeth Hill
Henry HORNER 06 Apr 1847 45 Knowles Court
Benjamin HOTINE 15 Feb 1829 53 Little Knight Rider Street
Mary HOTINE 27 Oct 1819 49 Lambeth Hill
John HUGGINS 09 May 1849 47 6, Lambeth Hill
Edwin HUGHES 11 Sep 1829 5d Lambeth Hill
Hannah HUGHES 11 Sep 1829 25 Lambeth Hill
Elizabeth HULCUP 09 Jan 1814 2.6 Old Change
William HURN 06 Feb 1826 0.2 Lambeth Hill
Mary Harris HUTCHINSON 14 May 1837 2 Little Carter Lane
Mary Ann ISLIP 20 Dec 1840 4 Lambeth Hill
James JACKSON 19 May 1822 0.10 Friday Street
Mary Ann JACKSON 31 Jul 1814 1.3 Knowles Court
Sarah JACKSON 05 Dec 1819 68 Labour in Vain Crt, Little Fish
Simmons JACKSON 24 Oct 1819 4 Friday Street
Mary JARRAL 04 Oct 1824 69 Lambeth Hill
James JARRETT 11 May 1851 39 12,Crane Court Lambeth Hill
Thomas JARVIS 23 Apr 1825 39 Little Knight Ryder Street
Susan JEWELL 17 Mar 1850 0.5 10, Little Carter Lane
James JOHNS 13 Jan 1842 51 Lambeth Hill
Richard JOHNS 13 Mar 1827 28 Knight Rider Court
Eliza Sarah JOHNSON 06 Jan 1822 2.6 Lambeth Hill
George JOHNSON 05 Feb 1817 64 Taylor's Court, Lambeth Hill
Sarah JOHNSON 28 Jan 1827 41 Lambeth Hill
Caroline JONES 31 Oct 1821 0.15 St Peters Hill
Elizabeth JONES 12 Jul 1815 0.21 Lambeth Hill
Elizabeth JONES 20 Jan 1822 61 Little Carter Lane
George JONES 18 Mar 1827 0.13 Bell Inn Yard, Friday Street
James John JONES 12 Aug 1832 37 Knight Rider Court
John JONES 27 May 1819 60 Windsor Crt, Little Knight Rider
John Amos JONES 02 Nov 1828 0.9 Bell Inn Yard, Friday Street
Margaret JONES 14 Apr 1833 58 Crane Court Lambeth Hill
Martha JONES 09 Jun 1850 7 9, Little Carter Lane
Mary Ann JONES 27 Sep 1849 8 20,Lambeth Hill
Rebecca JONES 01 Dec 1833 86 Green Arbour Court, Lambeth Hill
William JONES 08 Nov 1835 40 St Bartholomew's Hospital
William JOPP 10 Sep 1833 24 Great Trinity Lane
William JOPP 01 May 1834 0.8 Oxford Street
Anne JORDAN 25 Nov 1832 36 Knight Ryder Court
Frances Ann JORDAN 14 May 1827 3.4 Knight Ryder Court
Joseph KELLY 31 Dec 1815 27 Little Knight Ryder Street
Clara KEMSHEAD 21 May 1843 3.6 25, Lambeth Hill
Richard KEMSHEAD 21 Feb 1841 35 Lambeth Hill
Hannah KENDRICK 27 Nov 1831 71 Crane Court Lambeth Hill
Hannah KENDRICK 06 Dec 1821 0.11 Old Change
Daniel KENSEY 04 Nov 1825 3d Knight Rider Court
Thomas Joel James KENSEY 27 Mar 1822 4 Lambeth Hill
Henry KERR 05 Dec 1823 3 Little Knight Ryder Street
William KNIGHT 30 Mar 1828 35 Knight Rider Court
Frederick KOPP 20 Dec 1818 45 Kings Head Crt, Little Carter Lane
Mary LANGDON 15 Mar 1813 36 Blackheath Hill Kent
William LANGLEY 27 Feb 1820 42 Old Change
Henry Richard LAVIS 24 Oct 1848 0.5 7, Lambeth Hill
Sarah Ann LAVIS 15 Oct 1848 2 7, Lambeth Hill
Chas Nathaniel LAWRENCE 02 Dec 1838 10 Old Change
Frances LEAVER 25 Nov 1830 28 Little Knight Ryder Street
Charles LEE 16 Mar 1828 0.13 Sermon Lane
George Edwin LEE 22 Apr 1830 5 Little Carter Lane
Hannah LEE 21 Apr 1844 53 Sermon Lane
Hannah LEE 30 May 1852 22 17,Sermon Lane
Samuel LEE 26 Jul 1834 5.9 Sermon Lane
Jane LEGG 10 Feb 1833 26 Green Arbour Court, Lambeth Hill
John LESTER 22 May 1814 61 St Mary, Lambeth
Mary LEWIN 18 Aug 1850 63 7,Little Knight Ryder Street
Catherine LINCH 27 May 1813 0.2 Green Arbour Court, Lambeth Hill
John LINCK 22 May 1814 0.7 Taylor's Court, Lambeth Hill
Martin LINCK 05 Mar 1817 0.7 Taylor's Court, Lambeth Hill
Sarah LINSELL 24 Dec 1828 62 Taylor's Court, Lambeth Hill
Thomas LINSELL 15 Jan 1832 63 At Andrews Hill
Mary LINSELL 22 Dec 1844 43 Crane Court Lambeth Hill
Samuel LITTLE 23 Feb 1851 2 3, Taylor's Court, Lambeth Hill
Harriet LLOYD 17 Aug 1831 1.9 Lambeth Hill
Richard LLOYD 03 Feb 1830 40 Lambeth Hill
James LOOKER 01 Dec 1825 2.6 Lambeth Hill
John LOOKER 11 Sep 1831 45 Lambeth Hill
John Edward LOOKER 20 Jul 1831 0.20 Lambeth Hill
Thomas LOOKER 09 May 1824 2.10 Lambeth Hill
Wilhelmina Lydia LOVE 22 Aug 1820 0.10 Lambeth Hill
Hannah LUCAS 27 Dec 1829 67 Taylor's Court, Lambeth Hill
William LYALL 05 Jan 1851 63 23 Peter's Hill
Daniel LYONS 27 Apr 1834 1.6 Green Arbour Court, Lambeth Hill
Thomas LYONS 03 Apr 1833 2 Green Arbour Court, Lambeth Hill
Elizabeth MACKEY 10 Apr 1853 77 193, Upper Thames Street
Richard Jebb MADELEY 18 Jul 1813 1.4 Green Arbour Court, Lambeth Hill
John Sadler MAIL 07 Mar 1816 3 Sermon Lane
Richard MALLON 17 Feb 1850 0.2 23, Lambeth Hill
George Henry MANN 16 Jun 1822 0.13 Lambeth Hill
Elizabeth MANNING 07 Oct 1818 0.10 Little Carter Lane
Sarah MARCHANT 20 May 1850 87 12, Sermon Lane
William MARCHUM 15 Dec 1822 22 Taylor's Court, Lambeth Hill
Ann MARECHAL 07 May 1837 73 Little Knight Ryder Street
Caroline MARECHAL 23 Apr 1820 22 Little Knight Ryder Street
Anthony Romney MARSHALL 05 Aug 1839 0.19 Little Knight Ryder Street
Frederick MARSHALL 05 Aug 1839 4 Little Knight Ryder Street
Mary Ann MARSHALL 25 Aug 1814 5 St Mildreds Crt Bread Street
Mary Louise MARSHALL 20 Dec 1839 5 Little Knight Ryder Street
Francis MARTIMORE 27 Jun 1824 64 Lambeth Hill
Edward MARTIN 09 Aug 1825 49 Lambeth Hill
Mary MARYON 06 Feb 1842 38 Boss Court Upper Thames Street
Simon MARYON 03 Mar 1841 41 Crane Court Lambeth Hill
Emma MASDON 13 Nov 1825 0.10 Lambeth Hill
George MASON 26 Oct 1837 0.5 Knight Rider Court
James MASON 12 Jun 1839 0.3 Crane Court Lambeth Hill
John MASON 23 Jun 1846 18 Crane Court Lambeth Hill
Richard MASON 12 Oct 1826 49 Lambeth Hill
Sarah MASON 02 Jun 1839 3.10 Crane Court Lambeth Hill
Sophie McGOWAN 06 Mar 1836 55 St Peters Hill
Nathaniel McGOWEN 20 Jan 1841 76 Lambeth Hill
Christianus MEADOWS 03 Apr 1823 67 Bell Court
Mary MEADOWS 07 Feb 1823 74 Taylor's Court, Lambeth Hill
Hannah MELLOR 20 Feb 1825 60 Bell Court, Great Carter Lane
Elizabeth MILLINGTON 23 Jan 1818 0.13 Lambeth Hill
Sarah MILLWARD 29 Oct 1841 84 Little Carter Lane
James MILNER 05 Apr 1830 61 Crown Court Old Change
Mary MILNER 14 Jul 1822 56 Old Change
Thomas MILWARD 02 Nov 1834 84 Lambeth Hill
Caroline MOLE 15 Nov 1840 63 Holiday Yard
Ann MOORES 02 Jul 1817 43 Fleet Market
Henry MORE 06 Jun 1814 0.14 Lambeth Hill
Charles MORGAN 22 Feb 1824 0.14 Crane Court Lambeth Hill
William James MORGAN 26 Jul 1833 0.15 Crane Court Lambeth Hill
Ann MORRIS 10 Jan 1819 76 Green Arbour Court, Lambeth Hill
Mary MORRIS 30 Mar 1828 96 Lambeth Hill
Thomas MORRIS 07 Apr 1815 71 Carter Lane, Old Change
Job MORTON 17 Dec 1813 45 St Bartholomews Hospital
Edward MOULL 25 Apr 1821 6w Green Arbour Court, Lambeth Hill
Robert MULLIS 29 Jun 1828 38 Sermon Lane
Ann MURRAY 13 Mar 1821 62 Green Arbour Court, Lambeth Hill
James MURRAY 15 Jan 1815 27 Taylor's Court, Lambeth Hill
Thomas William NEALE 03 Sep 1828 1 Lambeth Hill
Eliza NEGUS 12 Dec 1847 43 5, Lambeth Hill
Mary NETTLETON 02 Jan 1845 69 Knight Rider Court
Philadelphia NEWBLE 12 Jun 1818 25 Green Arbour Court, Lambeth Hill
John NEWHALE 04 Nov 1833 58 Woolwich Kent
Joseph NEWHALL 08 Jul 1833 61 Little Knight Ryder Street
Joseph NEWMAN 24 Sep 1843 1 Old Change
Caroline NICHOLAS 06 Feb 1834 6 Little Carter Lane
Francis NORIS 05 Feb 1837 45 Lambeth Hill
Mary Ann NORRIS 03 Oct 1849 18 7, Little Knight Ryder Street
Elizabeth Webb NORTWYCK 06 May 1818 37 Little Knight Ryder Street
Elizabeth NOTLEY 28 Jan 1819 5 Upper Thames Street
William NOTTLEY 30 Apr 1818 0.11 Printing Ho Yard Water Lane
Thomas Ebenezer OGILVY 19 Mar 1843 2.5 Little Knight Ryder Street
Jane Elizabeth ORAM 06 Apr 1817 0.22 Lambeth Hill
Sarah ORAM 21 Feb 1819 37 Lambeth Hill
Susannah ORAM 27 Apr 1817 60 Crane Court Lambeth Hill
Elizabeth ORTSON 03 Jan 1819 46 Crane Court Lambeth Hill
Susan OXFORD 08 Nov 1826 0.15 Crane Court Lambeth Hill
Elizabeth PARRY 12 Mar 1826 41 Old Change
Maria PARTRIDGE 20 Nov 1842 60 Great Trinity Lane
Amy PAYNE 29 Mar 1839 42 Little Carter Lane
Hannah PAYNE 02 Jul 1816 40 New Street, Shoe Lane
Elizabeth PEASTON 11 Dec 1842 0.11 Taylor's Court, Lambeth Hill
Alice Elizabeth PERKINS 30 Nov 1845 68 Bell Court, Temple Bar
Elizabeth PERKINS 25 Oct 1816 0.16 Green Arbour Court, Lambeth Hill
Emma PERKINS 11 Jul 1827 14w Lambeth Hill
Mary PERKINS 21 Sep 1814 1.3 Green Arbour Court, Lambeth Hill
Mary PERKINS 02 May 1833 45 Lambeth Hill
Robert PERKINS 29 Jun 1821 3 Green Arbour Court, Lambeth Hill
Stephen PERKINS 25 Mar 1838 19 Old Fish Street
Thomas PERKINS 31 Mar 1833 50 Lambeth Hill
Thomas Robert PERKINS 04 Sep 1814 6.7 Green Arbour Court, Lambeth Hill
Elizabeth Ann PETTIT 23 Mar 1819 38 Little Knight Ryder Street
Susannah PETTIT 14 May 1817 69 Blackheath Kent
Sarah PHILLIPS 26 Oct 1834 59 Lambeth Hill
Susan PHILLIPS 06 Jan 1828 61 Lambeth Hill
William PHILLIPS 22 Feb 1829 66 Crane Court Lambeth Hill
James PHILP 03 Aug 1837 0.4 Knight Rider Court
Mary PHILP 23 Dec 1838 46 Knight Rider Court
William PHILP 07 Jul 1833 16 St Peters Hill
William Andrew PINK 02 Jun 1816 1.9 Lambeth Hill
James PITT 07 Oct 1849 3 2,Lambeth Hill
William Earl PITT 07 Oct 1849 3 2,Lambeth Hill
Charles PLUMRIDGE 21 Nov 1849 0.14 4, Green Arbour Court
William PLUMRIDGE 25 Aug 1833 75 Taylor's Court, Lambeth Hill
George POCOCK 09 Jun 1814 35 St Bartholomew's Hospital
Georgina POWELL 24 Jul 1830 43 Little Carter Lane
Robert POWELL 13 Oct 1837 1 Knight Rider Court
Henry PRESCOTT 17 Sep 1817 0.11 Lambeth Hill
Elizabeth PRICE 30 Jan 1825 53 Noble Street, St Lukes MDX
Hiram PRICE 01 Aug 1820 60 Lambeth Hill
Mary Ann PRICE 18 Jul 1832 9 Lambeth Hill
William PRICE 16 Mar 1828 30 Knight Rider Court
Philip John PRUDORN 19 Dec 1838 40 Sermon Lane
Alfred PRYCE 17 Nov 1850 1 1, Sermon Lane
Jane PUZEY 27 Aug 1829 0.13 Crane Court Lambeth Hill
George RADFORD 23 Sep 1824 18 St Peters Hill
William RADFORD 13 Feb 1826 57 St Peters Hill
George READ 20 Aug 1833 66 Green Arbour Court, Lambeth Hill
Mary Ann READ 30 Apr 1815 0.9 Little Knight Ryder Street
Sarah READ 05 May 1833 65 Green Arbour Court, Lambeth Hill
John REDDALL 22 Aug 1834 72 Sermon Lane
Jane REDHALL 28 Dec 1816 59 Sermon Lane
Alfred RENWELL 22 May 1842 0.18 Crane Court Lambeth Hill
Jane RICHARDS 21 Aug 1831 7w Green Arbour Court, Lambeth Hill
Mary RICHARDS 07 Feb 1819 3 Stepney MDX
Mary RICHARDS 26 Oct 1819 82 Lambeth SRY
Thomas RICHARDS 06 May 1819 44 Taylor's Court, Lambeth Hill
William RICHARDS 09 Jan 1818 43 John Street, St George MDX
Hubert Paul RIVOUS 07 Apr 1835 15 Little Knight Rider Street
Elizabeth ROBERTS 28 May 1839 1.11 Green Arbour Court, Lambeth Hill
Geroge Henry ROBERTS 20 Oct 1839 0.3 Green Arbour Court, Lambeth Hill
John ROCKELL 09 Aug 1835 69 Taylor's Court, Lambeth Hill
Jane ROCKLE 03 Aug 1845 74 6, Lambeth Hill
Harriet RODGERS 06 Jan 1820 61 Pratt Street, Lambeth
Hannah ROGERS 10 Nov 1824 5 Knight Rider's Court
Maria ROSE 29 Jun 1828 8 Taylor's Court, Lambeth Hill
Henry ROSS 22 Aug 1841 37 Little Carter Lane
Charles ROWLEY 03 Nov 1822 79 Old Change
Martha RUSS 20 Jun 1816 66 Green Arbour Court
Richard RUSS 13 Sep 1818 68 Little Fish Street Hill
Alfred RYDER 15 Jan 1843 2.6 Sermon Lane
Margaret RYDER 03 Jul 1814 64 Knight Rider Court
Emma SALIS 23 Jul 1833 2w Knight Rider Court
Nicholas SANDELL 08 Apr 1821 50 Old Change
Mary Ann SARGENT 14 Dec 1835 0.10 Taylor's Court, Lambeth Hill
William SARGENT 15 Feb 1829 0.5 Lambeth Hill
William John SARJANT 08 Jun 1838 5w Taylor's Court, Lambeth Hill
Mary SARTINE xx Sep 1815 64 Taylor's Court, Lambeth Hill
Ann SAUNDERS 21 May 1852 90 1, Taylor's Court, Lambeth Hill
George SAYER 21 Aug 1813 3.3 Old Change
Christian SCHINDLER 27 Jan 1830 58 Knowles Court Little Carter Lane
Bella SCOTT 04 Jun 1840 11 Lambeth Hill
Henry SEATORN 22 Feb 1814 4.9 Lambeth Hill
Jane SEATORN 08 Feb 1814 1.11 Lambeth Hill
Sarah SEDGWICK 31 Jul 1821 49 St Peter's Hill
Henry SHIPMAN 02 Nov 1826 39 Little Carter Lane
Martha SHIPMAN 28 Apr 1850 69 9, Crane Court Lambeth Hill
Ann SHIRMER 17 Feb 1822 26 St Peter's Hill
James SHORT 22 Sep 1822 22 Little Knight Ryder Street
William SHURRY 25 Jan 1818 0.1 Little Carter Lane
Ann SKATES 08 Oct 1837 50 Green Arbour Court, Lambeth Hill
Janet SKEENE 31 Dec 1829 63 Little Knight Rider Street
John SMALE 22 Jul 1832 51 Green Arbour Court, Lambeth Hill
Ann SMITH 26 Jan 1845 31 Sermon Lane
Ann Harriett SMITH 16 Oct 1847 3 25, Lambeth Hill
George Trinity SMITH 18 Aug 1822 29 Lambeth Hill
Mary Ann SMITH 26 Nov 1813 2 Workhouse
Richard SMITH 04 Aug 1817 35 Crane Court Lambeth Hill
Richard Ann SMITH 01 Apr 1813 0.3 Lambeth Hill
Sophia SMITH 05 Feb 1815 18 Little Knight Ryder Street
Thomas SMITH 20 Oct 1823 28 Old Change
Thomas SNOWDEN 05 Aug 1814 43 Knowles Court
Clara Emmeline SPEECHLEY 16 Dec 1838 3.5 Christ Church Surrey
Eliza Ellen SPEECHLEY 28 Feb 1836 3 Prujean Square Old Bailey
John SPEECHLEY 03 May 1821 68 Sidney Street, Islington MDX
John Edward SPEECHLEY 09 Nov 1828 4 Sermon Lane
Thomas Henry SPEECHLEY 07 Mar 1830 3.6 Sermon Lane
William SPEED 07 Jun 1846 0.3 24, Peters Hill
Mary SPRINGH 24 Mar 1816 4d St Peter's Hill
Maria STAINES 28 Nov 1840 0.3 Lambeth Hill
William STEDMAN 17 Feb 1813 0.7 Crane Court
Eliza STEVENS 06 Mar 1822 0.11 Bells Court, Docotr's Commons
Elizabeth STEVENS 23 Mar 1817 66 Green Arbour Court, Lambeth Hill
Emily Esther STEVENS 22 Apr 1832 1.7 Bell Court, Doctors Commons
John Paul STEVENS 17 Jan 1827 66 Crane Arbour Court
Maria STEVENS 16 Nov 1820 1.9 Bell Court, Doctor's Commons
William Nick STEVENS 07 Feb 1847 21 Bell Court
James STEWART 05 Apr 1829 4w Sermon Lane
Sarah STEWART 11 Dec 1831 1.9 St Johns Street, Smithfield
Mary STRAITON 08 Nov 1835 2.10 Little Knight Ryder Street
William STRANGE 03 Apr 1853 44 19, Little Knight Ryder Street
Elizabeth Lydia STRATTON 17 Aug 1834 25 Sermon Lane
Joseph STRICKFIELD 19 Jul 1835 0.4 Lambeth Hill
Thomas STRICKLAND 11 Sep 1835 73 Little Knight Ryder Street
Margaret TALBOTT 01 Dec 1833 31 Little Carter Lane
Henry TAPP 17 Aug 1845 57 Crane Court Lambeth Hill
Mary TAYLOR 23 Jan 1814 22 Knight Rider Court
Joseph TEMPEST 26 Dec 1841 73 Taylor's Court, Lambeth Hill
Henry THEED 17 Mar 1842 37 Sermon Lane
John THEOBALD 23 Mar 1817 45 Lambeth Hill
Mary THOMPSON 21 Mar 1844 82 Sermon Lane
Sarah THOMPSON 07 May 1844 78 Lambeth Hill
William THOMPSON 10 Oct 1839 75 Green Arbour Court, Lambeth Hill
Ann THOMSON 26 Mar 1820 63 Red Lion Street, Holborn
David THOMSON 29 Jan 1837 5 Old Change
Robert THOMSON 04 Aug 1813 25 Fleet Market
George THORNTON 03 Sep 1820 60 Lambeth Hill
Agnes TINDALL 15 Mar 1818 0.19 Kings Head Crt Little Carter Lan
John TINDALL 19 Oct 1815 0.7 Green Arbour Court, Lambeth Hill
Elizabeth TINKLER 22 Mar 1846 66 Little Carter Lane
William TRACEY 31 May 1849 2 8, Green Arbour Court
James Frederick TRAYLEN 10 Jul 1828 0.4 Little Carter Lane
Charles TRIMMING 17 Aug 1837 15 Taylor's Court, Lambeth Hill
Maria Ann TUCKER 30 Aug 1815 0.8 Green Arbour Court, Lambeth Hill
William TYRRELL 25 Dec 1822 0.2 Lambeth Hill
Moot VALENTINE 14 Sep 1832 43 Crane Court Lambeth Hill
Joseph VERE 11 Feb 1819 65 Cloth Fair, Smithfield
George Frederick VIGOR 23 Nov 1828 2 Little Knight Ryder Street
Sarah VINCE 14 Aug 1831 1 Lambeth Hill
Penfold WAKEFIELD 18 Feb 1844 4.8 Knight Rider Court
Stephen C WAKEFIELD 12 Aug 1851 53 1, Knight Rider Court
Caroline Lydia WALKER 17 Mar 1817 0.1 Little Knight Ryder Street
Charlotte WALKER 17 Aug 1851 0.7 20, Lambeth Hill
John Henry WALKER 08 Jul 1829 0.5 Knight Rider Court
Mary WALKER 27 Nov 1817 30 Little Knight Ryder Street
Eliza WALLINGER 20 May 1821 0.10 Taylor's Court, Lambeth Hill
Mary Ann WALLINGER 02 Aug 1818 1.6 Taylor's Court, Lambeth Hill
William Isaac WALSHAM 21 Jan 1849 0.9 2, Lambeth Hill
Peter WARBURTON 13 Mar 1823 47 Old Change
George WARD 30 Jul 1820 21d Lambeth Hill
Maria WARD 11 Dec 1849 43 2, Lambeth Hill
Martha WARD 12 Mar 1815 36 St Peter's Hill
Joseph WARHAM 22 Nov 1818 0.18 Green Arbour Court, Lambeth Hill
Edward WATERLANE 14 Sep 1826 32 Bread Street Hill
Henry Samuel WATT 01 Oct 1823 0.10 St Peter's Hill
John Francis WATTS 08 Dec 1813 3 Old Change
Mary WEEKS 23 Dec 1849 57 11, Little Carter Lane
Joshua WELCH 21 Apr 1828 25 Little Knight Rider Street
Sarah WELCH 23 Feb 1840 20 Old Fish Street
Sarah WELCH 23 Feb 1840 20 Old Fish Street
George WESTCOTT 04 Apr 1838 40 Crane Court Lambeth Hill
Mary WESTCOTT 17 Aug 1833 26 Knight Rider Court
Ann WHIFFEN 15 Dec 1824 42 St Peter's Hill
Peter WHITE 30 Nov 1851 70 5, Knight Rider Street
Ann WHITEHOUSE 18 Feb 1814 42 Lambeth Hill
William WHITEKER 02 Feb 1845 43 Peter's Hill
James Fredrk. WHITTAKER 05 Mar 1820 0.16 Little Fish Street Hill
John Butler WHITTAKER 20 Aug 1817 15w Lambeth Hill
Elizabeth WILD 22 Dec 1835 23 Lambeth Hill
John WILD 17 Aug 1817 64 St George's Court, St Bennets Hil
John WILLIAMS 18 May 1834 40 Old Change
Susannah WILLIAMS 13 Nov 1842 56 Green Arbour Court
Ann WILLOUGHBY 04 Feb 1818 67 Green Arbour Court, Lambeth Hill
John WILLSON 16 Apr 1826 25 Little Carter Lane
Robert WILLSON 04 Jan 1817 19 Crane Court Lambeth Hill
Samuel WILLWARD 25 Apr 1813 63 Lambeth Hill
Jane WILSON 01 Nov 1816 46 Little Knight Ryder Street
Joseph WILSON 06 Jun 1835 2 Green Arbour Court, Lambeth Hill
Samuel John WINDSOR 30 Apr 1817 0.2 Lambeth Hill
Jonathan WINSON 17 Feb 1822 34 Taylor's Court, Lambeth Hill
Charles WISE 22 Dec 1816 49 Lambeth Hill
Mary WISE 25 Jan 1820 44 Lambeth Hill
Jane WISHER 28 Apr 1833 0.11 Lambeth Hill
Jane WISHER 19 Dec 1851 50 4, Lambeth Hill
Sarah WISHER 27 Jan 1835 1 Lambeth Hill
Hannah WOOD 03 Mar 1830 7w Knight Rider Court
Samuel WOOLFE 05 Mar 1846 76 4, Lambeth Hill
Jacob WRAGG 23 Sep 1818 62 Little Knight Ryder Street
Margaret WRAGG 30 Oct 1819 73 Stangate Lambeth
William WRIGHT 24 Jan 1844 74 Greeham, East Kent
Benjamin Day YATES 16 Feb 1819 1.8 Sermon Lane
George YOUNG 11 May 1845 73 Peter's Hill

View File

@ -0,0 +1,8 @@
John William ALLARDYCE 17 Mar 1844 2.9 Little Knight Ryder Street
Frederic Alex. ALLARDYCE 21 Apr 1844 0.7 Little Knight Ryder Street
Philip AMIS 03 Aug 1848 1 18 1/2 Knight Rider Street
Thomas ANDERSON 06 Jul 1845 27 2, Bennet's Hill
Edward ANGEL 20 Nov 1842 22 Crane Court Lambeth Hill
Lucy Ann COLEBACK 23 Jul 1843 14w Lambeth Hill
Thomas William COLLEY 08 Aug 1833 4d Lambeth Hill
Joseph COLLIER 03 Apr 1831 58 Lambeth Hill

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,176 @@
// Name:
// Date:
import java.util.*;
public class StringCoderDriver
{
public static void main(String[] args)
{
StringCoder sc = new StringCoder("sixtyzipperswerequicklypickedfromthewovenjutebag");
StringPart[] sp = sc.encodeString("overeager");
for(int i=0; i<sp.length; i++)
System.out.print(sp[i]+", ");
System.out.println();
String s = sc.decodeString(sp);
System.out.println(s);
StringPart[] sp2 = sc.encodeString("kippers");
for(int i=0; i<sp2.length; i++)
System.out.print(sp2[i]+", ");
System.out.println();
String s2 = sc.decodeString(sp2);
System.out.println(s2);
StringPart[] sp3 = sc.encodeString("colonials");
for(int i=0; i<sp3.length; i++)
System.out.print(sp3[i]+", ");
System.out.println();
String s3 = sc.decodeString(sp3);
System.out.println(s3);
StringPart[] sp4 = sc.encodeString("werewolf");
for(int i=0; i<sp4.length; i++)
System.out.print(sp4[i]+", ");
System.out.println();
String s4 = sc.decodeString(sp4);
System.out.println(s4);
// for testing
// StringPart[] sp5 = sc.encodeString("quickzip");
// for(int i = 0; i < sp5.length; i++)
// System.out.print(sp5[i] + ", ");
// System.out.println();
// String s5 = sc.decodeString(sp5);
// System.out.println(s5);
}
}
class StringCoder
{
private String masterString;
/** @param master the master string for the StringCoder
* Precondition: the master string contains all the letters of the alphabet
*/
public StringCoder(String master)
{
masterString = master;
}
/** @param parts an array of string parts that are valid in the master string
* Precondition: parts.size() > 0
* @return the string obtained by concatenating the parts of the master string
*/
//PART A: // =8
public String decodeString(StringPart[] parts)
{
// 1
String decodedString = "";
for (int i = 0; i < parts.length;i++) {
int start = parts[i].getStart();
int length = parts[i].getLength();
decodedString += masterString.substring(start, start+length);
}
return decodedString;
}
/** @param str the string to encode using the master string
* Precondition: all of the characters in str appear in the master string;
* str.length() > 0
* @return a string part in the master string that matches the beginning of str.
* The returned string part has length at least 1.
*/
private StringPart findPart(String str)
{
int x = 0;
String s = str.substring(0, x);
while( masterString.contains(s) )
{
x++;
if(x > str.length())
break;
s = str.substring(0, x);
}
s = str.substring(0, x - 1);
int start = masterString.indexOf(s);
StringPart sp = new StringPart(start, s.length());
return sp;
}
/** @param word the string to be encoded
* Precondition: all of the characters in word appear in the master string;
* word.length() > 0
* @return an ArrayList of string parts of the master string that can be combined
* to create word
*/
// Part B // =12
public StringPart[] encodeString(String word)
{
StringPart[] temp = new StringPart[100];
int partCount = 0;
String currentPart = "";
int index = 0;
while(word.length() > 0) {
temp[partCount] = findPart(word);
word = word.substring(temp[partCount].getLength());
partCount++;
}
StringPart[] parts = new StringPart[partCount];
for (int i = 0; i < parts.length; i++)
parts[i] = temp[i];
return parts;
}
}
class StringPart
{
private int start;
private int length;
/** @param start the starting position of the substring in a master string
* @param length the length of the substring in a master string
*/
public StringPart(int start, int length)
{
this.start = start;
this.length = length;
}
/** @return the starting position of the substring in a master string
*/
public int getStart()
{
return start;
}
/** @return the length of the substring in a master string
*/
public int getLength()
{
return length;
}
public String toString()
{
return "(" + start + ", " + length + ")";
}
}
/***********************************
(37, 3), (14, 2), (46, 2), (9, 2),
overeager
(20, 1), (6, 6),
kippers
(19, 1), (31, 1), (21, 1), (31, 1), (40, 1), (1, 1), (46, 1), (21, 1), (0, 1),
colonials
(12, 4), (36, 2), (21, 1), (29, 1),
werewolf
******************************/

Binary file not shown.

BIN
01 Strings/DS_Sept.pub Normal file

Binary file not shown.

Binary file not shown.

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,108 @@
// Name: B6-24
// Date: 09/26/19
import java.util.*;
public class Permutations
{
public static int count = 0;
public static void main(String[] args)
{
Scanner sc = new Scanner(System.in);
System.out.print("\nHow many digits? ");
int n = sc.nextInt();
leftRight("", n);
oddDigits("", n);
superprime(n);
if(count==0)
//Extension #1:
System.out.println("there are no " + n + "-digit superprimes");
else
System.out.println("Count is "+count);
}
/**
* Builds all the permutations of a string of length n containing Ls and Rs
* @param s A string
* @param n An postive int representing the length of the string
*/
public static void leftRight(String s, int n)
{
if (s.length() < n) {
leftRight(s + "L", n);
leftRight(s + "R", n);
} else if (s.length() == n)
System.out.println(s);
}
/**
* Builds all the permutations of a string of length n containing odd digits
* @param s A string
* @param n A postive int representing the length of the string
*/
public static void oddDigits(String s, int n)
{
if (s.length() < n){
for (int i = 1; i < 10; i += 2)
oddDigits(s + i, n);
} else if (s.length() == n) {
System.out.println(s);
}
}
/**
* Builds all combinations of a n-digit number whose value is a superprime
* @param n A positive int representing the desired length of superprimes
*/
public static void superprime(int n)
{
recur(2, n); //try leading 2, 3, 5, 7, i.e. all the single-digit primes
recur(3, n);
recur(5, n);
recur(7, n);
}
/**
* Recursive helper method for superprime
* @param k The possible superprime
* @param n A positive int representing the desired length of superprimes
*/
private static void recur(int k, int n)
{
if (isPrime(k)) {
if (n == 1) {
System.out.println(k);
//Extension #2:
count++;
} else {
for (int i = 1; i < 10; i+=2)
recur(k*10 + i, n - 1);
}
}
}
/**
* Determines if the parameter is a prime number.
* @param n An int.
* @return true if prime, false otherwise.
*/
public static boolean isPrime(int n) {
//Extension #3:
if (n < 2)
return false;
if (n < 4)
return true;
if (n % 2 == 0 || n % 3 == 0)
return false;
for (int i = 5; i * i <= n; i += 6) // since we already checked for 6, 8, 9, and 10 with 2 & 3 we can add by 6 and only check 5 and 7
if (n % i == 0 || n % (i + 2) == 0)
return false;
return true;
}
}

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,56 @@
// Name: B6-24
// Date: 09/26/19
import java.util.*;
public class Fibonacci
{
public static void main(String[] args)
{
long start, end, fib; //why long?
int[] fibNumber = {1, 5, 10, 20, 30, 40, 41, 42};
System.out.println("\tFibonacci\tBy Iteration\tTime\tby Recursion\t Time");
for(int n = fibNumber[0]; n <= fibNumber[fibNumber.length - 1]; n++)
{
start = System.nanoTime();
fib = fibIterate(n);
end = System.nanoTime();
System.out.print("\t\t" + n + "\t\t" + fib + "\t" + (end-start)/1000.);
start = System.nanoTime();
fib = fibRecur(n);
end = System.nanoTime();
System.out.println("\t" + fib + "\t\t" + (end-start)/1000.);
}
}
/**
* Calculates the nth Fibonacci number by interation
* @param n A variable of type int representing which Fibonacci number
* to retrieve
* @returns A long data type representing the Fibonacci number
*/
public static long fibIterate(int n)
{
long n1, n2 = 0, n3 = 1;
for (int i = 1; i < n; i++) {
n1 = n2;
n2 = n3;
n3 = n1 + n2;
}
return n3;
}
/**
* Calculates the nth Fibonacci number by recursion
* @param n A variable of type int representing which Fibonacci number
* to retrieve
* @returns A long data type representing the Fibonacci number
*/
public static long fibRecur(int n)
{
if (n == 0) return 0;
if (n == 1) return 1;
return fibRecur(n - 1) + fibRecur(n - 2);
}
}

Binary file not shown.

View File

@ -0,0 +1,82 @@
// Name: B6-24
// Date: 09/30/19
import java.util.*;
public class Hailstone
{
public static void main(String[] args)
{
System.out.println("Hailstone Numbers!");
System.out.print("Enter the start value: ");
Scanner sc = new Scanner(System.in);
int start = sc.nextInt();
int count = hailstone(start, 1);
System.out.println(" With count variable, it takes " + count + " steps." );
int count2 = hailstone(start);
System.out.println(" Without count variable, it takes " + count2 + " steps." );
}
/**
* Prints the hailstone sequence that starts with n.
* Pre-condition: n > 0, count = 1.
* This method is recursive.
* If n is even, then the next number is n / 2.
* If n is odd, then the next number is 3 * n + 1.
* @param n The beginning hailstone number.
* @param count The helper variable that counts the steps.
* @returns An int representing the number of steps from n to 1.
*/
public static int hailstone(int n, int count)
{
if (n == 1){
System.out.print("1");
return count;
} else if (n % 2 == 0) {
System.out.print(n + "-");
return hailstone(n / 2, ++count);
} else {
System.out.print(n + "-");
return hailstone(3 * n + 1, ++count);
}
}
/**
* Prints the hailstone sequence that starts with n.
* This method does not use a variable to count the steps.
* Pre-condition: n > 0.
* This method is recursive.
* If n is even, then the next number is n / 2.
* If n is odd, then the next number is 3 * n + 1.
* @param n The beginning hailstone number.
* @returns An int representing the number of steps from n to 1.
*/
public static int hailstone(int n)
{
if (n == 1) {
System.out.print("1");
return 1;
} else if (n % 2 == 0) {
System.out.print(n + "-");
return 1 + hailstone(n / 2);
} else {
System.out.print(n + "-");
return 1 + hailstone(3 * n + 1);
}
}
}
/*
------------SAMPLE RUN----------------------
Hailstone Numbers!
Enter the start value: 12
12-6-3-10-5-16-8-4-2-1 With count variable, it takes 10 steps.
12-6-3-10-5-16-8-4-2-1 Without count variable, it takes 10 steps.
Hailstone Numbers!
Enter the start value: 100
100-50-25-76-38-19-58-29-88-44-22-11-34-17-52-26-13-40-20-10-5-16-8-4-2-1 With count variable, it takes 26 steps.
100-50-25-76-38-19-58-29-88-44-22-11-34-17-52-26-13-40-20-10-5-16-8-4-2-1 Without count variable, it takes 26 steps.
*/

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,150 @@
// Name: B6-24
// Date: 10/02/19
import java.util.*;
import java.io.*;
public class AreaFill
{
private static char[][] grid = null;
private static String filename = null;
public static void main(String[] args)
{
Scanner sc = new Scanner(System.in);
while(true) // what does this do?
{
System.out.print("Fill the Area of (-1 to exit): ");
filename = sc.next();
if(filename.equals("-1"))
{
sc.close();
System.out.println("Good-bye");
//System.exit(0);
return;
}
grid = read(filename);
String theGrid = display(grid);
System.out.println( theGrid );
System.out.print( "1-Fill or 2-Fill-and-Count: ");
int choice = sc.nextInt();
switch(choice)
{
case 1:
{
System.out.print("\nEnter ROW COL to fill from: ");
int row = sc.nextInt();
int col = sc.nextInt();
fill(grid, row, col, grid[row][col]);
System.out.println( display(grid) );
break;
}
case 2:
{
System.out.print("\nEnter ROW COL to fill from: ");
int row = sc.nextInt();
int col = sc.nextInt();
int count = fillAndCount(grid, row, col, grid[row][col]);
System.out.println( display(grid) );
System.out.println("count = " + count);
System.out.println();
break;
}
default:
System.out.print("\nTry again! ");
}
}
}
/**
* Reads the contents of the file into a matrix.
* Uses try-catch.
* @param filename The string representing the filename.
* @returns A 2D array of chars.
*/
public static char[][] read(String filename)
{
Scanner infile = null;
try
{
infile = new Scanner(new File(filename));
}
catch (Exception e)
{
System.out.println("File not found");
return null;
}
/* enter your code here */
int r = infile.nextInt();
int c = infile.nextInt();
char[][] g = new char[r][c];
infile.nextLine();
for (int i = 0; i < r; i++)
g[i] = infile.nextLine().toCharArray();
return g;
}
/**
* @param g A 2-D array of chars.
* @returns A string representing the 2D array.
*/
public static String display(char[][] g)
{
String outString = "";
for (int i = 0; i < g.length; i++){
for (int j = 0; j < g[i].length; j++){
outString += g[i][j];
}
outString += '\n';
}
return outString;
}
/**
* Fills part of the matrix with a different character.
* @param g A 2D char array.
* @param r An int representing the row of the cell to be filled.
* @param c An int representing the column of the cell to be filled.
* @param ch A char representing the replacement character.
*/
public static void fill(char[][] g, int r, int c, char ch)
{
if(r >= 0 && r < g.length && c >= 0 && c < g[0].length) {
if(g[r][c] == ch) {
g[r][c] = '*';
fill(g, r + 1, c, ch);
fill(g, r - 1, c, ch);
fill(g, r, c + 1, ch);
fill(g, r, c - 1, ch);
}
}
return;
}
/**
* Fills part of the matrix with a different character.
* Counts as you go. Does not use a static variable.
* @param g A 2D char array.
* @param r An int representing the row of the cell to be filled.
* @param c An int representing the column of the cell to be filled.
* @param ch A char representing the replacement character.
* @return An int representing the number of characters that were replaced.
*/
public static int fillAndCount(char[][] g, int r, int c, char ch)
{
if(r >= 0 && r < g.length && c >= 0 && c < g[0].length) {
if(g[r][c] == ch) {
g[r][c] = '*';
return 1 + fillAndCount(g, r + 1, c, ch) + fillAndCount(g, r - 1, c, ch) + fillAndCount(g, r, c + 1, ch) + fillAndCount(g, r, c - 1, ch);
}
}
return 0; //never reached
}
}

View File

@ -0,0 +1,16 @@
15 32
xxxx............................
...xx...........................
..xxxxxxxxxxxx..................
..x.........xxxxxxx.............
..x...........0000xxxx..........
..xxxxxxxxxxxx0..000............
..xxxxxxxxx...0...00.....0000000
..........xx.......0000000000000
.....xxxxxxxxx........0.........
....xx.................00000....
....xx.....................00...
.....xxxxxxxxxxxxxxxxxx....00...
......................xx...00...
.......................xxxx00000
............................0000

View File

@ -0,0 +1,10 @@
9 12
..........00
...0....0000
...000000000
0000.....000
............
..#########.
..#...#####.
......#####.
...00000....

View File

@ -0,0 +1,6 @@
4 3
+++
@+@
@+@
@@@

View File

@ -0,0 +1,11 @@
10 10
mmmm....ff
...mm.....
..mmmmm.mm
..m.....ff
..x..xx...
..xxx..xx.
..xxx.xxx.
....x.....
.....ggg.g
....gg....

Binary file not shown.

View File

@ -0,0 +1,244 @@
// Name: B6-24
// Date: 10/7/19
import java.util.*;
/**
* This program calculates the value of an expression
* consisting of numbers, arithmetic operators, and parentheses.
*/
public class ExpressionEvaluator
{
public static void main(String[] args)
{
Scanner in = new Scanner(System.in);
System.out.print("Enter an expression: ");
// 3+4*5 23
// (3+4)*5 35
// (4+5)-5*3 -6
// (3+4)*(5+6) 77
// (3*(4+5)-2)/5 5
// 2*3*4-9/3 21
/* extension, left-to-right processing */
// 6*8/6 6
// 2-3+5 -6
// 3*4/6 0
// 3+4-5+2*2 6
String input = in.nextLine().trim();
Evaluator e = new Evaluator(input);
int value = e.getExpressionValue();
//int value = e.getExpressionValueEXT(); //extension
System.out.println(input + " = " + value);
}
}
/**
* A class that can compute the value of an arithmetic expression.
*/
class Evaluator
{
private ExpressionTokenizer tokenizer;
/**
* Constructs an evaluator.
* @param anExpression a string containing the expression
* to be evaluated
*/
public Evaluator(String anExpression)
{
tokenizer = new ExpressionTokenizer(anExpression);
}
/**
* Evaluates the expression.
* @return the value of the expression.
*/
public int getExpressionValue()
{
int value = getTermValue();
String next = tokenizer.peekToken();
if("+".equals(next)) {
tokenizer.nextToken();
value += getExpressionValue();
} else if("-".equals(next)) {
tokenizer.nextToken();
value -= getExpressionValue();
}
return value;
}
/**
* Evaluates the next term found in the expression.
* @return the value of the term
*/
public int getTermValue()
{
int value = getFactorValue();
String next = tokenizer.peekToken();
if("*".equals(next)) {
tokenizer.nextToken();
value *= getTermValue();
} else if("/".equals(next)) {
tokenizer.nextToken();
value /= getTermValue();
}
return value;
}
/**
* Evaluates the next factor found in the expression.
* @return the value of the factor
*/
public int getFactorValue()
{
int value;
String next = tokenizer.peekToken();
if ("(".equals(next))
{
tokenizer.nextToken(); // Discard "("
value = getExpressionValue();
tokenizer.nextToken(); // Discard ")"
}
else
{
if(!next.equals("-")) {
value = Integer.parseInt(tokenizer.nextToken());
} else {
tokenizer.nextToken();
value = -1 * Integer.parseInt(tokenizer.nextToken());
}
}
return value;
}
/**
* Extension
*
*/
public int getExpressionValueEXT()
{
int value = getTermValueEXT();
String next = tokenizer.peekToken();
if("+".equals(next)) {
tokenizer.nextToken();
return value += getTermValueEXT();
} else if("-".equals(next)) {
tokenizer.nextToken();
return value -= getTermValueEXT();
}
return value;
}
/**
* Extension
*
*/
public int getTermValueEXT()
{
int value = getFactorValueEXT();
String next = tokenizer.peekToken();
if("*".equals(next)) {
tokenizer.nextToken();
return value *= getFactorValueEXT();
} else if("/".equals(next)) {
tokenizer.nextToken();
return value /= getFactorValueEXT();
}
return value;
}
/**
* Extension
*
*/
public int getFactorValueEXT()
{
int value;
String next = tokenizer.peekToken();
if ("(".equals(next))
{
tokenizer.nextToken(); // Discard "("
value = getExpressionValueEXT();
tokenizer.nextToken(); // Discard ")"
}
else
{
if(!next.equals("-")) {
value = Integer.parseInt(tokenizer.nextToken());
} else {
tokenizer.nextToken();
value = -1 * Integer.parseInt(tokenizer.nextToken());
}
}
return value;
}
}
/**
* This class breaks up a string describing an expression
* into tokens: numbers, parentheses, and operators.
*/
class ExpressionTokenizer
{
private String input;
private int start; // The start of the current token
private int end; // The position after the end of the current token
/**
* Constructs a tokenizer.
* @param anInput the string to tokenize
*/
public ExpressionTokenizer(String anInput)
{
input = anInput;
start = 0;
end = 0;
nextToken(); // Find the first token
}
/**
* Peeks at the next token without consuming it.
* @return the next token or null if there are no more tokens
*/
public String peekToken()
{
if (start >= input.length()) {
return null; }
else {
return input.substring(start, end); }
}
/**
* Gets the next token and moves the tokenizer to the following token.
* @return the next token or null if there are no more tokens
*/
public String nextToken()
{
String r = peekToken();
start = end;
if (start >= input.length()) {
return r;
}
if (Character.isDigit(input.charAt(start)))
{
end = start + 1;
while (end < input.length()
&& Character.isDigit(input.charAt(end)))
{
end++;
}
}
else
{
end = start + 1;
}
return r;
}
}

Binary file not shown.

After

Width:  |  Height:  |  Size: 63 KiB

View File

@ -0,0 +1,97 @@
/* Colors: #088 is a nice teal, #080 is a true green,
#37f is a true blue, #22a is almost indigo,
#a00 is deep red, #00a is deep blue, #04c is true blue
*/
BODY {
background-color: #fff;
color: black;
font-size: medium; /* usually medium; small for printing */
/* margin-left: 150px; */
}
P, TD {
font-size: medium; /* usually medium; small for printing */
}
H1 { font-size: xx-large } /* usually x-large; large for printing */
H2 {
font-size: x-large; /* usually x-large; large for printing */
font-style: italic; /* for printing */
color: #f00;
}
H3 {
font-size: large;
color: #00a;
}
H4 {
font-size: large;
color: #f00;
}
A:link { color: #a00; text-decoration: underline }
A:visited, A:active { color: indigo; text-decoration: underline }
CODE {
color: #00f;
font-family: monospace;
}
PRE { font-family: serif }
#siteTitle {
color: #04c;
text-align: center;
}
A.sTitleA:link, A.sTitleA:visited, A.sTitleA:active {
color: #04c;
text-decoration: underline;
}
#pageTitle {
color: #00a;
text-align: center;
}
#author {
color: #a00;
text-align: center;
}
#navigBar {
color: white
text-align: center;
}
#copyright {
margin-left: 20px;
margin-right: 20px;
font-size: small;
font-style: italic;
}
#footer {
font-size: small;
font-style: italic;
}
SPAN.spec {
color: #009;
}
/* Following should be shared among course web sites:
@import "http://max.cs.kzoo.edu/styles/SharedCourseStyles";
*/
SPAN.Tall { font-size: x-large }
SPAN.SmCap { font-size: large }
/* Another way to do the above might be H1:first-letter { font: 2em },
* although this does not deal well with words like 1998 which should
* be completely tall.
*/

Binary file not shown.

View File

@ -0,0 +1,154 @@
//Name: B6-24 Date: 10/5/19
//
//
//
// License Information:
// This class is free software; you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation.
//
// This class is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
import edu.kzoo.grid.BoundedGrid;
import edu.kzoo.grid.Grid;
import edu.kzoo.grid.Location;
import edu.kzoo.grid.display.GridDisplay;
/**
* Environment-Based Applications:<br>
*
* The NQueens class implements the N Queens problem.
*
* @author Your Name (based on a template provided by Alyce Brady)
* @version 1 September 2002
**/
public class NQueens
{
// Instance Variables: Encapsulated data for EACH NQueens problem
private Grid board;
private GridDisplay display;
// constructor
/** Constructs an object that solves the N Queens Problem.
* @param n the number of queens to be placed on an
* <code>n</code> x <code>n</code> board
* @param d an object that knows how to display an
* <code>n</code> x <code>n</code> board and
* the queens on it
**/
public NQueens(int n, GridDisplay d)
{
board = new BoundedGrid(n, n);
display = d;
display.setGrid(board);
display.showGrid();
}
// methods
/** Returns the number of queens to be placed on the board. **/
public int numQueens()
{
return board.numRows(); // replace this with something more useful
}
/** Solves (or attempts to solve) the N Queens Problem. **/
public boolean solve()
{
if(placeQueen(0)) {
display.showGrid();
return true;
} else {
System.out.println("NO SOLUTION");
display.showGrid();
return false;
}
}
/** Attempts to place the <code>q</code>th queen on the board.
* (Precondition: <code>0 <= q < numQueens()</code>)
* @param q index of next queen to place
**/
private boolean placeQueen(int q)
{
// Queen q is placed in row q. The only question is
// which column she will be in. Try them in turn.
// Whenever we find a column that could work, put her
// there and see if we can place the rest of the queens.
if(q >= numQueens())
return true;
for(int i = 0; i < numQueens(); i++) {
if (locationIsOK(new Location(q, i))) {
addQueen(new Location(q, i));
display.showGrid();
if(placeQueen(q + 1))
return true;
else
removeQueen(new Location(q, i));
}
}
return false;
}
/** Determines whether a queen can be placed at the specified
* location.
* @param loc the location to test
**/
private boolean locationIsOK(Location loc)
{
//System.out.print("I ran! ");
// Verify that another queen can't attack this location.
// (Only queens in previous rows have been placed.)
int currentRow = loc.row();
int currentCol = loc.col();
int i, j;
for (i = 0; i < numQueens(); i++) {
if (board.objectAt(new Location(i, currentCol)) != null) {
return false;
}
}
//only have to check for above left and right because it moves down
for (i = currentRow, j = currentCol; i >= 0 && j < numQueens(); i--, j++) {
if (board.objectAt(new Location(i, j)) != null) {
return false;
}
}
for (i = currentRow, j = currentCol; i >= 0 && j >= 0; i--, j--) {
if (board.objectAt(new Location(i, j)) != null) {
return false;
}
}
return true;
}
/** Adds a queen to the specified location.
* @param loc the location where the queen should be placed
**/
private void addQueen(Location loc)
{
new Queen(board, loc); // queens add themselves to the board
}
/** Removes a queen from the specified location.
* @param loc the location where the queen should be removed
**/
private void removeQueen(Location loc)
{
board.remove(loc);
// replace this with something useful.
}
}

Binary file not shown.

View File

@ -0,0 +1,80 @@
// Class: NQueensLab
//
// Author: Alyce Brady
//
// License Information:
// This class is free software; you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation.
//
// This class is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
import java.awt.Color;
import javax.swing.JMenu;
import javax.swing.JOptionPane;
import edu.kzoo.grid.display.ColorBlockDisplay;
import edu.kzoo.grid.display.DisplayMap;
import edu.kzoo.grid.gui.GridAppFrame;
import edu.kzoo.grid.gui.nuggets.BasicHelpMenu;
import edu.kzoo.grid.gui.nuggets.MinimalFileMenu;
/**
* Environment-Based Applications:<br>
*
* The NQueensLab class implements the N Queens problem.
*
* @author Alyce Brady
* @version 1 September 2002
**/
public class NQueensLab
{
// Specify dimensions of grid display and individual cell size.
private static final int DISPLAY_WIDTH = 400;
private static final int DISPLAY_HEIGHT = 400;
private static final int MIN_CELL_SIZE = 20;
// Specify the grid's background color and highlight color.
private static final Color BACKGROUND_COLOR = new Color(0, 155, 255);
private static final Color HIGHLIGHT_COLOR = Color.red;
/**
* Starts the N Queens program.
* The String arguments (args) are not used in this application.
**/
public static void main(String[] args)
{
String sizeString = JOptionPane.showInputDialog("How large would you like the board to be?", 8);
int size = Integer.parseInt(sizeString);
// Construct the object for solving the N Queens problem and
// a window to display it in.
GridAppFrame display = new GridAppFrame();
display.includeMenu(new MinimalFileMenu());
JMenu helpMenu = new BasicHelpMenu("NQueens",
"Your Name Here",
"with assistance from (whom? e.g., Alyce Brady)",
"1 September 2004", "file:NQueensHelp.html");
display.includeMenu(helpMenu);
display.includeSpeedSlider();
display.constructWindowContents("N Queens Problem", BACKGROUND_COLOR,
DISPLAY_WIDTH, DISPLAY_HEIGHT, MIN_CELL_SIZE);
Queen.setQueenColor(HIGHLIGHT_COLOR);
NQueens queens = new NQueens(size, display);
// Specify how to display objects in the grid.
DisplayMap.associate("Queen", new ColorBlockDisplay());
// OR, DisplayMap.associate("Queen", new ScaledImageDisplay("GoldCrown.gif"));
// Solve the N Queens Problem.
queens.solve();
}
}

View File

@ -0,0 +1,132 @@
<html><head><title>Recursion: N Queens Lab</title>
<link href="mailto:abrady@kzoo.edu">
<link rel="STYLESHEET" type="text/css" href="labs.css"></head>
<body>
<DIV ID=siteTitle>
<H1> Recursion Lab: N Queens Problem</H1>
</DIV>
<DIV ID=author>
<a href="http://max.cs.kzoo.edu/~abrady/">Alyce Brady</a><br>
<a href="http://www.kzoo.edu/">Kalamazoo College</a>
</DIV>
<hr WIDTH="100%">
<p> In this lab you will implement the N Queens Problem, using the <code>BoundedGrid</code>
class.<sup>&#8225;</sup>
In this lab you will implement an algorithm that places N queens on an N x N
board (like a chess board) in such a way that no queen can attack another queen.</p>
<table width="90%" border="1" align="center">
<tbody><tr><td>
<h4>Exercise Set</h4>
<ol>
<li>Download the zip file that contains the starting code files for
the N Queens Lab (<code><a href="NQueens.zip">NQueens.zip</a></code>)
and unzip it. When you unzip the file you will see the
following files and folders.
<ul>
<li>The file <code><a
href="NQueensLab.shtml">NQueensLab.shtml</a></code> contains this
write-up.
<li>Two image files, <code>GoldCrown.gif</code> and
<code>SilverCrown.gif</code> (images of crowns).
<li>The <code>grid.jar</code> Java archive
(<code>jar</code>) file
contains a library of classes that can be used to
model a two-dimensional grid as described above.
<ul>
<li><code>BoundedGrid</code> (class that represents
the two-dimensional grid)<sup>&#8225;</sup></li>
<li><code>Location</code> (class that represents the
row and column positions of a location in the
grid)<sup>&#8225;</sup></li>
<li><code>ColorBlock</code> (class whose objects
represent blocks of color put in a grid)</li>
</ul>
The documentation for these files can be found by
downloading the
<a href="http://www.cs.kzoo.edu/GridPkg/GridPkgClassDocs.zip">GridPkgClassDocs.zip</a> file.
</li>
<p></p>
<li>The <code>JavaSourceFiles</code> folder contains the
source files for the NQueens Lab.
<ul>
<li><code>NQueensLab</code> (contains the <code>main</code> method)</li>
<li><code>NQueens</code> (the class that implements the solution
to the N Queens Problem) </li>
<li><code>Queen</code> (represents a queen on the board)</li>
</ul>
</ul>
<br>
Note: All of the
classes in the <code>JavaSourceFiles</code> folder and the
<code>grid.jar</code> Java archive file are covered by the <a
href="/License.txt">GNU General Public License.</a>
</ul>
<p> </p>
<li>Compile and run the program. You should see an 8 x 8 &quot;chess
board&quot; with no queens.
<p> </p>
</li>
<li>Complete the <code>numQueens</code> and <code>removeQueen</code>
methods, without adding any additional instance variables.&nbsp; To
test the <code>removeQueen</code> method, modify the <code>placeQueen</code>
method to add a queen to any arbitrary column (your choice) of the
correct row for that queen, display the environment, and then remove
the queen and redisplay the environment.&nbsp; Modify the <code>solve</code>
method to place one queen.&nbsp; Run the program.&nbsp; You should
see one queen (or color block) appear and then disappear from the
environment.
<p> </p>
</li>
<li>Modify the <code>placeQueen</code> method to recursively place all
the queens in arbitrary columns (or the same arbitrary column).&nbsp;
Think about where you should place the recursive call if you want
to see the queens appear in each row, one-by-one, and then disappear
in reverse order.&nbsp; Make sure you remember to include a base case.&nbsp;
Do you need to modify the <code>solve</code> method to place all the
queens?&nbsp; If so, do it.
<p> </p>
</li>
<li>Fully implement the <code>placeQueen</code> method so that it checks
column by column to find an OK location to place this queen, until
the queen has been successfully placed in a column and all the queens
after her have been successfully placed also.&nbsp; Since the <code>locationIsOK</code>
method always returns <code>true</code>, the queens should fill in
the first column.
<p> </p>
</li>
<li>Modify the <code>locationIsOK</code> method to return <code>false</code>
if any queens have already be placed in the same column as the location
parameter.&nbsp; When you have this working you should see the queens
fill in the diagonal from location (0, 0) to location (n-1, n-1).
<p> </p>
</li>
<li>Modify the <code>locationIsOK</code> method again to also return
<code>false</code> if any queens have already been placed on the board
in locations that are on the diagonal from the location parameter.
</li>
</ol>
</td></tr>
</tbody></table>
<hr>
<hr>
<div id=footer>
<sup>&#8225;</sup>The <code>Location</code> class comes directly
from the AP<sup>&reg;</sup> Marine Biology Simulation case study;
<code>BoundedGrid</code> was inspired by the MBS <code>BoundedEnv</code>
class.&nbsp; AP is a registered trademark
of the College Entrance Examination Board. The Marine Biology Simulation case
study was copyrighted in 2002 by the College Entrance Examination Board.&nbsp;
It is available on the web from the College Board web site (<a href="http://www.collegeboard.com/ap/students/compsci/download.html">www.collegeboard.com</a>
and <a href="http://apcentral.collegeboard.com">apcentral.collegeboard.com</a>).<br>
&nbsp;<br>
Copyright Alyce Brady, 2002. </div>
</body></html>

Binary file not shown.

Binary file not shown.

View File

@ -0,0 +1,48 @@
// Class: Queen
//
// Author: Alyce Brady
//
// License Information:
// This class is free software; you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation.
//
// This class is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
import java.awt.Color;
import edu.kzoo.grid.ColorBlock;
import edu.kzoo.grid.Grid;
import edu.kzoo.grid.Location;
/**
* Environment-Based Applications:<br>
*
* A Queen object represents a queen in the N Queens Problem.
*
* @author Alyce Brady
* @version 1 November 2002
**/
public class Queen extends ColorBlock
{
private static Color queenColor = Color.red;
/** Constructs a queen at the specified location on an N x N
* "chessboard."
* @param board the board on which to place this queen
* @param loc the location of this queen
**/
public Queen(Grid board, Location loc)
{
super(queenColor, board, loc);
}
/** Defines the color to make all queens. **/
public static void setQueenColor(Color col)
{
queenColor = col;
}
}

View File

@ -0,0 +1,7 @@
This archive has been reorganized by Daniel Johnson (johnmon2@gmail.com). The reorganization was done to enable the files to compile without worrying about making the given libraries work.
List of changes:
1. The Following files were moved out of the JavaSourceFiles folder into the NQueens folder: NQueensLab.java, NQueens.java, Queen.java.
2. The empty JavaSourceFiles folder was deleted.
3. The grid.jar file was extracted into the NQueens folder (appears as the edu folder).
4. This README file was created.

Binary file not shown.

After

Width:  |  Height:  |  Size: 82 KiB

Some files were not shown because too many files have changed in this diff Show More